date
stringlengths 10
10
| nb_tokens
int64 60
629k
| text_size
int64 234
1.02M
| content
stringlengths 234
1.02M
|
---|---|---|---|
2018/03/21 | 1,141 | 5,110 | <issue_start>username_0: The [Namespaces](https://www.typescriptlang.org/docs/handbook/namespaces.html) chapter give an example related to *D3.d.ts* which I don't understand.
This is the full example:
```
declare namespace D3 {
export interface Selectors {
select: {
(selector: string): Selection;
(element: EventTarget): Selection;
};
}
export interface Event {
x: number;
y: number;
}
export interface Base extends Selectors {
event: Event;
}
}
declare var d3: D3.Base;
```
What I really don't understand is how would I use *D3.d.ts* in my modules or my typescript scripts? Please give me some short examples.
**EDIT**
Please ignore the fact that here it is used D3; could be B3 or G3 or X7 ... whatever; I'm not interested on a specifically library. I'm only interested in **how would I use** the example given both in my typescript modules and my typescript scripts.
**EDIT2**
What mostly confuse me is the fact that the above example uses *declare namespace ...* instead of *namespace D3* (as used e.g. for *namespace Validation*). Also what's the use (and how to use?) of *declare var d3: D3.Base;*?<issue_comment>username_1: Such declarations define global variables that do not come from imports but might be defined on the `window` by some
Upvotes: 4 [selected_answer]<issue_comment>username_2: As I understand typescript the "code" in the example does not generate nor change any output javascript. It is all declarations that will help intellisense and the typescript compiler find errors, but does nothing to alter the code. The declarations that the example gives are intended for an "ambient" declaration file, i.e. a declaration file that provides typescript definitions for ordinary javascript library so that typescript and intellisense can work with them as if they were typescript files instead of plain javascript. I believe that at a first approximation typescript treats anything it finds of which it has no declaration knowledges as an "any" type.
For the library mentioned you would be better off to use the existing type library (`npm install --save-dev @types/d3`). I have found that after installing the library (`npm install --save d3`) and the `@types/d3`, using `import * as d3 from 'd3'` in a .ts file (in angular 5; other situations may other steps) will bring the object and type information in, and everything works satisfactorily. If you open up the types file you will see a completely different set of declarations from the ones given in the typescript documentation example, but I believe they are still all declarations, i.e. no code.
### In reply to edits
The file in the example is not a primary typescript file. It is a declarations file describing the "typescript shape" of an ordinary javascript library, i.e. how the typescript compiler and intellisense should pretend the ordinary javascript would look like if it were written in typescript. While you may think the choice of the name D3 was arbitrary, it was not exactly. The `.d.ts` file is trying to provide typescript meta information for a library (the d3 library: <https://www.npmjs.com/package/d3>) which does not itself provide that information (although, as mentioned, the typescript meta information for that particular library is available as an @types package).
If you were writing your own library code and wanted to work inside a namespace as per the validation example, you would use `namespace D3` rather than `declare namespace D3`, but you would also be writing a `.ts` file, not a `.d.ts` file. As the section title of the documentation says, that example is working on *ambient* namespaces, i.e. namespaces for ordinary javascript code the writer of the file does not (typically) provide.
In summary, the goals of the two halves of the documentation are different. In the first half the "validation" code is showing you how to use namespaces within your own typescript code. In the second half, the "d3" code is showing you how you can provide typescript metadata for code that is plain javascript, not typescript.
Upvotes: 1 <issue_comment>username_3: The declare namespace keyword is mainly used to extend or modify existing namespaces, typically in the context of external libraries or type declaration files. In this case, all members inside the declare namespace block are automatically made accessible to other files for referencing.
On the other hand, the namespace keyword is used to define a new namespace. In this case, the members defined inside the namespace are not exposed to the outside by default. You need to explicitly use the export keyword to make the desired members accessible for referencing in other files.
In summary, declare namespace is used to modify or extend existing namespaces, and all members are automatically exposed to the outside. namespace is used to define a new namespace, and you need to manually export the members to make them accessible externally.
I hope this clarifies the difference between declare namespace and namespace!
Upvotes: 0 |
2018/03/21 | 630 | 1,946 | <issue_start>username_0: Using PowerShell, I have created a script that adds headers to a CSV, select unique value within specified columns, and exports it as a new CSV.
That script is:
```
import-csv -Header (1..39) -Path 'J:\consult evv\splitfile_385.csv' | select '30', '31', '39' -Unique | Export-Csv -Path "C:\Users\CFOSTER\Desktop\stuff\modsplitfile_385.csv" -NoTypeInformation
```
This script only works for one item: `splitfile_385.csv`. I'd like to use this for all files in a directory.
I can loop through items in the specified path but am having trouble combining the loop with the script above.
Currently, I have:
```
$files = Get-ChildItem "J:\consult evv"
for ($i=0; $i -lt $files.Count; $i++) {
$outfile = "C:\Users\CFOSTER\Desktop\Stuff\new" + $files[$i]
Get-Content $files[$i].FullName | Where-Object { !($_ -match 'step4' -or $_ -match 'step9') } | import-csv -Header (1..39) -Path $files[$i].FullName | select '30', '31', '39' -Unique | Set-Content $outfile
}
```
Using this gives me the error: `import-csv : You must specify either the -Path or -LiteralPath parameters, but not both`.
How can I combine my script with a loop for all files in a directory?<issue_comment>username_1: You can use `ForEach-Object` and import one at a time.
```
Get-ChildItem "C:\CSV Files\*.csv" | ForEach-Object {
Import-Csv $_ | Where-Object { ... }
}
```
If you want to output to a new CSV file, make sure the output filename doesn't match the pattern used with `Get-ChildItem` or you'll run into trouble.
Upvotes: 2 <issue_comment>username_2: try somethng like this:
```
Get-ChildItem "J:\consult evv" -file -Filter "*.csv" | %{
$outfile = "C:\Users\CFOSTER\Desktop\Stuff\new" + $_.Name
Get-Content $_.FullName | select -skip 1 | Where { !($_ -match 'step4' -or $_ -match 'step9') } |
ConvertFrom-Csv -Header (1..39) | select '30', '31', '39' -Unique | Out-File $outfile -Append
}
```
Upvotes: 0 |
2018/03/21 | 2,381 | 9,958 | <issue_start>username_0: I am working on android video application where I am recording a Video using Camera Intent and taking a video from gallery. When recording video or after selecting video from gallery I want to know the size of my video which I took. I want to make a logic to show a user a toast message if selected Video size is greater then 5MB.
I made the bottom logic which is not working and giving me 0 value where I tried to take the size from URI.
Thanks in advance.
My Logic which is not working
```
java.net.URI juri = new java.net.URI(uri.toString());
File mediaFile = new File(juri.getPath());
long fileSizeInBytes = mediaFile.length();
long fileSizeInKB = fileSizeInBytes / 1024;
long fileSizeInMB = fileSizeInKB / 1024;
if (fileSizeInMB > 5) {
Toast.makeText(this,"Video files lesser than 5MB are allowed",Toast.LENGTH_LONG).show();
return;
}
```
This is my code which I am using to get video from Gallery and to record video.
```
public void takeVideoFromCamera(){
File mediaFile =new File(Environment.getExternalStorageDirectory().getAbsolutePath()+ "/myvideo.mp4");
Intent intent = new Intent(MediaStore.ACTION_VIDEO_CAPTURE);
Uri videoUri;
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {
// videoUri = FileProvider.getUriForFile(this, this.getApplicationContext().getPackageName() + ".provider", mediaFile);
videoUri = FileProvider.getUriForFile(this, "i.am.ce.by.ncy.provider", mediaFile);
} else {
videoUri = Uri.fromFile(mediaFile);
}
intent.putExtra(MediaStore.EXTRA_OUTPUT, videoUri);
intent.putExtra(MediaStore.EXTRA_VIDEO_QUALITY, 1);
intent.putExtra(MediaStore.EXTRA_SIZE_LIMIT, 5491520L);//5*1048*1048=5MB
intent.putExtra(MediaStore.EXTRA_DURATION_LIMIT,45);
startActivityForResult(intent, VIDEO_CAPTURE);
}
public void takeVideoFromGallery(){
Intent intent = new Intent();
intent.setType("video/*");
intent.setAction(Intent.ACTION_GET_CONTENT);
long maxVideoSize = 5 * 1024 * 1024; // 10 MB
intent.putExtra(MediaStore.EXTRA_SIZE_LIMIT, maxVideoSize);
startActivityForResult(Intent.createChooser(intent,"Select Video"),REQUEST_TAKE_GALLERY_VIDEO);
}
```
onActivityResult code
```
public void onActivityResult(int requestCode, int resultCode, Intent data) {
super.onActivityResult(requestCode, resultCode, data);
if (resultCode == this.RESULT_OK) {
switch (requestCode) {
case VIDEO_CAPTURE:
if (resultCode == RESULT_OK) {
showVideoImage(data.getData());
// Here I want to know what is the size of my Video File
}
break;
case REQUEST_TAKE_GALLERY_VIDEO:
if (resultCode == RESULT_OK) {
showVideoGallery(data);
// Here I want to know what is the size of my Video File
}
break;
}
```<issue_comment>username_1: ```
java.net.URI juri = new java.net.URI(uri.toString());
File mediaFile = new File(juri.getPath());
```
A `Uri` is not a `File`.
```
showVideoImage(data.getData());
```
[`ACTION_VIDEO_CAPTURE` does not return a `Uri`](https://developer.android.com/reference/android/provider/MediaStore.html#ACTION_VIDEO_CAPTURE).
Moreover, **you already know where the file is**. You create a `File` object in `takeVideoFromCamera()` and use that for `EXTRA_OUTPUT`. Hold onto that `File` object (and also save it in the saved instance state `Bundle`), then use that for finding out the size of the resulting video.
Upvotes: 2 <issue_comment>username_2: try this
>
> File file = new File(URI);
>
>
>
```
if (file.exists()){
long size = file.length();
}
```
the value is = 0 when
the file exists but contained zero bytes.
the file does not exist, or
the file is some OS-specific special file.
Upvotes: -1 <issue_comment>username_3: ```
private long getFileSize(Uri fileUri) {
Cursor returnCursor = getContentResolver().
query(fileUri, null, null, null, null);
int sizeIndex = returnCursor.getColumnIndex(OpenableColumns.SIZE);
returnCursor.moveToFirst();
long size = returnCursor.getLong(sizeIndex);
returnCursor.close();
return size;
}
```
Check [here](https://developer.android.com/training/secure-file-sharing/retrieve-info) for more details
Upvotes: 0 <issue_comment>username_4: ```
AssetFileDescriptor fileDescriptor = getApplicationContext().getContentResolver().openAssetFileDescriptor(uri , "r");
long fileSize = fileDescriptor.getLength();
```
Upvotes: 4 <issue_comment>username_5: 1. Checks `AssetFileDescriptor.length`
2. If not found, checks `ParcelFileDescriptor.getStatSize` implicitly inside `AssetFileDescriptor.length`
3. If not found, check `MediaStore/ContentResolver` if URI has `content://` scheme
Should work for `file://`, `content://` schemes. Returns `-1L` if failed to find:
```
fun Uri.length(contentResolver: ContentResolver)
: Long {
val assetFileDescriptor = try {
contentResolver.openAssetFileDescriptor(this, "r")
} catch (e: FileNotFoundException) {
null
}
// uses ParcelFileDescriptor#getStatSize underneath if failed
val length = assetFileDescriptor?.use { it.length } ?: -1L
if (length != -1L) {
return length
}
// if "content://" uri scheme, try contentResolver table
if (scheme.equals(ContentResolver.SCHEME_CONTENT)) {
return contentResolver.query(this, arrayOf(OpenableColumns.SIZE), null, null, null)
?.use { cursor ->
// maybe shouldn't trust ContentResolver for size: https://stackoverflow.com/questions/48302972/content-resolver-returns-wrong-size
val sizeIndex = cursor.getColumnIndex(OpenableColumns.SIZE)
if (sizeIndex == -1) {
return@use -1L
}
cursor.moveToFirst()
return try {
cursor.getLong(sizeIndex)
} catch (_: Throwable) {
-1L
}
} ?: -1L
} else {
return -1L
}
}
```
Upvotes: 3 <issue_comment>username_6: This is working for me:
```
Uri path = data.getData();
Cursor returnCursor = getContentResolver().
query(path, null, null, null, null);
int sizeIndex = returnCursor.getColumnIndex(OpenableColumns.SIZE);
returnCursor.moveToFirst();
int size = returnCursor.getInt(sizeIndex) / 1000;
returnCursor.close();
tv_description.setText("size: " + size);
```
You Can use getInt, getLong etc...
Upvotes: 0 <issue_comment>username_7: Following extension function supports 3 different URI types,
1. Content URI `content://document/primary:sample.png`
2. File URI `file://data/user/0/com.example.testapp/cache/output.png`
3. Resource URI `"android.resource://com.example.testapp/" + R.raw.sample`
```
fun Uri.length(context: Context): Long {
val fromContentProviderColumn = fun(): Long {
// Try to get content length from the content provider column OpenableColumns.SIZE
// which is recommended to implement by all the content providers
var cursor: Cursor? = null
return try {
cursor = context.contentResolver.query(
this,
arrayOf(OpenableColumns.SIZE),
null,
null,
null
) ?: throw Exception("Content provider returned null or crashed")
val sizeColumnIndex = cursor.getColumnIndex(OpenableColumns.SIZE)
if (sizeColumnIndex != -1 && cursor.count > 0) {
cursor.moveToFirst()
cursor.getLong(sizeColumnIndex)
} else {
-1
}
} catch (e: Exception) {
Log.d(TAG, e.message ?: e.javaClass.simpleName)
-1
} finally {
cursor?.close()
}
}
val fromFileDescriptor = fun(): Long {
// Try to get content length from content scheme uri or file scheme uri
var fileDescriptor: ParcelFileDescriptor? = null
return try {
fileDescriptor = context.contentResolver.openFileDescriptor(this, "r")
?: throw Exception("Content provider recently crashed")
fileDescriptor.statSize
} catch (e: Exception) {
Log.d(TAG, e.message ?: e.javaClass.simpleName)
-1
} finally {
fileDescriptor?.close()
}
}
val fromAssetFileDescriptor = fun(): Long {
// Try to get content length from content scheme uri, file scheme uri or android resource scheme uri
var assetFileDescriptor: AssetFileDescriptor? = null
return try {
assetFileDescriptor = context.contentResolver.openAssetFileDescriptor(this, "r")
?: throw Exception("Content provider recently crashed")
assetFileDescriptor.length
} catch (e: Exception) {
Log.d(TAG, e.message ?: e.javaClass.simpleName)
-1
} finally {
assetFileDescriptor?.close()
}
}
return when (scheme) {
ContentResolver.SCHEME_FILE -> {
fromFileDescriptor()
}
ContentResolver.SCHEME_CONTENT -> {
val length = fromContentProviderColumn()
if (length >= 0) {
length
} else {
fromFileDescriptor()
}
}
ContentResolver.SCHEME_ANDROID_RESOURCE -> {
fromAssetFileDescriptor()
}
else -> {
-1
}
}
}
```
Upvotes: 2 |
2018/03/21 | 517 | 1,518 | <issue_start>username_0: I have this plot
```
dat = data.frame(group = rep("A",3),subgroup= c("B","C","D"), value= c(4,5,6),avg = c(4.5,4.5,4.5))
ggplot(dat, aes(x= group, y =value, color = fct_rev(subgroup) ))+
geom_point()+
geom_point(data = dat ,aes(x = group, y = avg), color = "blue",pch = 17, inherit.aes = FALSE)
```
I need to show 2 legends: 1 for the fct\_rev(subgroup) which I already there but there is no legend for "avg".
How can i add a legend that is a blue triangle pch 17 with the title "avg?
thank you<issue_comment>username_1: Maybe like this?
```
ggplot(dat, aes(x= group, y =value, color = fct_rev(subgroup) ))+
geom_point()+
geom_point(data = dat ,aes(x = group, y = avg,shape = "Mean"),
color = "blue", inherit.aes = FALSE) +
scale_shape_manual(values = c('Mean' = 17))
```
Upvotes: 2 [selected_answer]<issue_comment>username_2: Using data from original post.
Legends do not work like that in ggplot. Why not add a geom\_text at the average? I see that you have a column with the average being repeated. This seems like a bad way to handle the data, but irrelevant right now.
My proposed solution:
```
ggplot(dat)+
geom_point(aes(x= group, y =value, color = subgroup))+
geom_point(aes(x = group, y = avg), color = "blue",pch = 17, inherit.aes = FALSE) +
geom_text(aes(x=1, y = 4.5), label = "avg", nudge_x = .1)
```
You could also add a hline to symbolize the average, which would aesthetically look nicer.
Upvotes: 0 |
2018/03/21 | 432 | 1,380 | <issue_start>username_0: I have a huge VARCHAR field, that is a body of an email. There could be any sort of text on either side of the email. I want to see if anyone listed their Social security number anywhere in the text.
In the WHERE clause, I tried
```
WHERE X.Description LIKE '%___-__-____%'
```
Is there a way to find a numeric string that looks like 111-11-1111 or 111 11 1111<issue_comment>username_1: Maybe like this?
```
ggplot(dat, aes(x= group, y =value, color = fct_rev(subgroup) ))+
geom_point()+
geom_point(data = dat ,aes(x = group, y = avg,shape = "Mean"),
color = "blue", inherit.aes = FALSE) +
scale_shape_manual(values = c('Mean' = 17))
```
Upvotes: 2 [selected_answer]<issue_comment>username_2: Using data from original post.
Legends do not work like that in ggplot. Why not add a geom\_text at the average? I see that you have a column with the average being repeated. This seems like a bad way to handle the data, but irrelevant right now.
My proposed solution:
```
ggplot(dat)+
geom_point(aes(x= group, y =value, color = subgroup))+
geom_point(aes(x = group, y = avg), color = "blue",pch = 17, inherit.aes = FALSE) +
geom_text(aes(x=1, y = 4.5), label = "avg", nudge_x = .1)
```
You could also add a hline to symbolize the average, which would aesthetically look nicer.
Upvotes: 0 |
2018/03/21 | 880 | 3,041 | <issue_start>username_0: I have the following simplified middleware function:
```
router.put('/', function (req, res, next) {
const data = req.body;
const q = req.parsedFilterParam;
const opts = req.parsedQueryOpts;
ResponseCtrl.update(q, data, opts)
.then(stdPromiseResp(res))
.catch(next);
});
```
I want to add some ability to catch errors to the middleware, just to save some code, something like this:
```
router.put('/', function (req, res, next) {
const data = req.body;
const q = req.parsedFilterParam;
const opts = req.parsedQueryOpts;
return ResponseCtrl.update(q, data, opts)
.then(stdPromiseResp(res));
});
```
so we now return the promise in the middleware function, and we can forgo the catch block.
so internally, it might look like this now:
```
nextMiddlewareFn(req,res,next);
```
just looking to change it to:
```
const v = nextMiddlewareFn(req,res,next);
if(v && typeof v.catch === 'function'){
v.catch(next);
});
```
does anyone know how to do this with Express?<issue_comment>username_1: Note to the reader, the following actually doesn't work:
```
router.put('/', async function (req, res, next) {
const data = req.body;
const q = req.parsedFilterParam;
const opts = req.parsedQueryOpts;
await ResponseCtrl.update(q, data, opts)
.then(stdPromiseResp(res));
});
```
if the promise is rejected, the try/catch that surrounds each piece of middleware won't actually pick it up, if the promise is rejected, it will bubble up to an unhandledRejection handler if there is one.
*I would look forward to a good solution though which:*
1. could be typed with TypeScript
2. doesn't use async/await.
This is the solution that worked best for me as of now:
<https://medium.com/@the1mills/hacking-express-to-support-returned-promises-in-middleware-9487251ca124>
Upvotes: 0 <issue_comment>username_2: Use [express promise router](https://www.npmjs.com/package/express-promise-router).
```
var router = new ExpressPromiseRouter();
router.get('/foo', function(req, res) {
return somethingPromisey();
});
// or...
router.get('/bar', async function(req, res) {
await somethingPromisey();
});
app.use(router);
```
PS: [There's no need to be afraid of `async`/`await` on performance grounds.](https://kyrylkov.com/2017/04/25/native-promises-async-functions-nodejs-8-performance/) There is no appreciable difference vs regular functions with promises.
Upvotes: 3 [selected_answer]<issue_comment>username_3: You may also want to try the general purpose solution: [asyncback](https://www.npmjs.com/package/asyncback).
For usage in ExpressJS middle-ware:
```
const asyncback = require('asyncback');
app.get('/users', asyncback(async (req, res) => {
const users = await User.find({ 'banned': false });
const offer = await Offers.findOne({ 'active': true });
res.json({ 'users': users, 'offer': offer });
}));
```
When the async function returns or throws, the `next` callback passed by express to asyncback is automatically called accordingly.
Upvotes: 1 |
2018/03/21 | 1,195 | 4,095 | <issue_start>username_0: I have the following piece of C++ code, for the time being ignore the bad practice in actually doing this in a program.
```
#include
//#include
using namespace std;
class P{
public:
void rebase(P\* self);
virtual void print();
virtual ~P(){}
};
class C: public P{
virtual void print();
};
void P::rebase(P\* self){
//memory leak is detected, but no leak actually happens
delete self;
self=new C();
}
void P::print(){
cout<<"P"<print();
for(int i=0;i<10000;i++) test->rebase(test);//run the "leaking" code 10000 times to amplify any leak
test->print();
delete test;
while (true);//blocks program from stoping so we can look at it with pmap
}
```
I sent this jenky piece of code through valgrind and it reported a memory leak in P::rebase(), but when I look at the memory usage there is no leak, why does valgrind think there is?
```
==5547== LEAK SUMMARY:
==5547== definitely lost: 80,000 bytes in 10,000 blocks
==5547== indirectly lost: 0 bytes in 0 blocks
==5547== possibly lost: 0 bytes in 0 blocks
==5547== still reachable: 72,704 bytes in 1 blocks
==5547== suppressed: 0 bytes in 0 blocks
==5547== Rerun with --leak-check=full to see details of leaked memory
==5547==
==5547== For counts of detected and suppressed errors, rerun with: -v
==5547== ERROR SUMMARY: 30001 errors from 7 contexts (suppressed: 0 from 0)
```
and I double checked with `sudo pmap -x` and there is no leak
```
total kB 13272 2956 180
```<issue_comment>username_1: You do have a memory leak. The issue with
```
void P::rebase(P* self){
//memory leak is detected, but no leak actually happens
delete self;
self=new C();
}
```
Is you are passing the pointer by value. This means the pointer from main is never reassigned the new address and you actually lose it as `self` goes out of scope when the function end. If you use
```
void P::rebase(P*& self){
//memory leak is detected, but no leak actually happens
delete self;
self=new C();
}
```
Where you pass the pointer by reference then you won't have a memory leak.
---
You also have undefined in your function since you keep calling delete on the pointer from main and calling delete on a pointer more than once, if it is not null, is undefined behavior.
Essentially your code is the same as
```
int* a = new int;
for (int i = 0; i < 10000; i++)
{
int* b = a; // we copy the address held by a
delete b; // uh oh we call delete on that same address again
b = new int; // put new memory in b, this does nothing to a
} // leak here as b goes out of scope and we no longer have the address it held
```
Upvotes: 4 [selected_answer]<issue_comment>username_2: Valgrind is correct sort of.
```
void P::rebase(P* self){
//memory leak is detected, but no leak actually happens
delete self;
self=new C();
}
```
This has two problems - it does not return the new pointer to the program
It deletes a running object.
Deleting the running object may cause the code at the end of the function to crash, because there is object referencing needed to leave the function.
The code probably should crash when test->print() is called. I think the compiler is re-using the memory for both objects. If you switched them round e.g.
```
P* old = self;
self=new C();
delete old;
```
Then it would not work.
The non-virtual call to test will work, but is causing undefined behavior. As the real object has been destroyed after the first call.
Upvotes: 1 <issue_comment>username_3: Valgrind is a software and it has its own logic and based on its logic it create list of warnings if some of its condition satisfy which it considered as memory leak. It does not necessary that it is a perfect memory leak. If you think that such warnings can be ignored you can simply ignore it.
But in your case I can see a clear memory leak. You instantiated a object from class `C` and you never release the memory. That is the reason in C++ we are encouraged to use smart pointer to avoid this kind mistakes.
```
self=new C();
```
Upvotes: -1 |
2018/03/21 | 1,523 | 4,268 | <issue_start>username_0: i have a navbar with a horizontal submenu and issued with the submenu appearing on hover. I used display none to hide it but the hover code didn't work. Here is the whole code.
```css
body {
margin: 0;
padding: 0;
background: #eee;
}
.nav ul {
list-style: none;
margin: 200px 0 0 14px; /* top, right, bottom, left*/
padding: 0;
overflow: hidden;
}
.nav li {
float: left;
}
.nav a {
background-color: gray;
padding: 10px;
margin-right: 10px;
display: block;
}
/*SUBNAV*/
.subnav ul {
list-style: none;
padding: 10px;
margin: 0;
overflow: hidden;
background-color: black;
display: none;
}
.subnav li {
float: left;
margin-left: 25px;
}
.nav li:hover .subnav ul {
display: block;
}
```
```html
Sunucu
* [Home](#)
* [Shop](#)
* [Yetki](#)
* [Kredi](#)
```
So as you can see when you hover shop, it's supposed to show the submenu but it doesn't.<issue_comment>username_1: Your CSS selects `.subnav` as a child of `.nav li`, but your HTML is not structured that way.
To use your current CSS, you'll need to move the `.subnav` into `.nav li`.
Example below:
```css
body {
margin: 0;
padding: 0;
background: #eee;
}
.nav ul {
list-style: none;
margin: 0 0 0 14px;
/* top, right, bottom, left*/
padding: 0;
overflow: hidden;
}
.nav li {
float: left;
}
.nav a {
background-color: gray;
padding: 10px;
margin-right: 10px;
display: block;
}
/*SUBNAV*/
.subnav ul {
list-style: none;
padding: 10px;
margin: 0;
overflow: hidden;
background-color: black;
display: none;
}
.subnav li {
float: left;
margin-left: 25px;
}
.nav li:hover .subnav ul {
display: block;
}
```
```html
* [Home](#)
* [Shop](#)
+ [Yetki](#)
+ [Kredi](#)
```
---
Edit
----
It seems that you want the dropdown menu to be horizontal, the full width of the page, and below the main navigation.
I set the subnav to be `position:absolute`. That way it can be positioned outside of its container `li.magaza` but still be triggered by a hover event on its ancestor.
I also added an opacity/visibility [transition](https://developer.mozilla.org/en-US/docs/Web/CSS/transition) to fade the submenu in and out (without using JavaScript).
```css
body {
margin: 0;
padding: 0;
background: #eee;
}
.nav ul {
list-style: none;
margin: 0 0 0 14px;
/* top, right, bottom, left*/
padding: 0;
overflow: hidden;
}
.nav li {
float: left;
}
.nav a {
background-color: gray;
padding: 10px;
margin-right: 10px;
display: block;
}
/*SUBNAV*/
.subnav ul {
position: absolute;
left: 0;
width: 100%;
box-sizing: border-box;
list-style: none;
padding: 10px;
margin: 0;
background-color: black;
visibility: hidden;
opacity: 0;
transition: opacity .2s, visibility 0s .2s;
}
.subnav li {
float: left;
margin-left: 25px;
}
.nav li:hover .subnav ul {
visibility: visible;
opacity: 1;
transition: opacity .2s;
}
```
```html
* [Home](#)
* [Shop](#)
+ [Yetki](#)
+ [Kredi](#)
Page content goes here
```
Upvotes: 2 <issue_comment>username_2: You have structured your HTML wrong. You need to move your subnav div under the parent li.
Here is JQUERY for you. Updated your example. Gave fadeIn effect.
If you only want to use css check for the comment in css section.
```js
$( "li.has-subnav" ).hover(
function() {
$('.subnav').fadeIn(200);
},
function() {
$('.subnav').fadeOut(200);
}
);
```
```css
.nav ul {
list-style: none;
margin: 0 0 0 14px; /* top, right, bottom, left*/
padding: 0;
}
.nav li {
display: inline-block;
}
.nav a {
background-color: gray;
padding: 10px;
margin-right: 10px;
display: block;
}
/*SUBNAV*/
.subnav {
list-style: none;
padding: 10px;
background-color: black;
display: none;
position: absolute;
left:0;
width:100%;
box-sizing: border-box;
}
/** Uncomment the following css and remove jQuery to use only css **/
// .has-subnav:hover .subnav {
// display: block;
// }
```
```html
Sunucu
* [Home](#)
* [Shop](#)
+ [Yetki](#)
+ [Kredi](#)
```
Upvotes: 1 [selected_answer] |
2018/03/21 | 1,097 | 3,660 | <issue_start>username_0: This problem is very simple in R, but I can't seem to get it to work in Stata.
I want to use the square brackets index, but with an expression in it that involves another variable, i.e. for a variable with unique values `cumul` I want:
```
replace country = country[cumul==20] in 12
```
`cumul == 20` corresponds to row number 638 in the dataset, so the above should replace in line 12 the `country` variable with the value of that same variable in line 638. The above expression is clearly not the right way to do it: it just replaces the `country` variable in line 12 with a missing value.<issue_comment>username_1: Stata's row indexing does not work in that way. What you can do, however, is a simple two-line solution:
```
levelsof country if cumul==20
replace country = "`r(levels)'" in 12
```
If you want to be sure that cumul==20 uniquely identifies just a single value of country, add:
```
assert `:word count `r(levels)''==1
```
between the two lines.
Upvotes: 3 [selected_answer]<issue_comment>username_2: It's probably worth explaining why the construct in the question doesn't work as you wish, beyond "Stata is not R!".
Given a variable `x`: in a reference like `x[1]` the `[1]` is referred to as a subscript, despite nothing being written below the line. The subscript is the observation number, the number being always that in the dataset as currently held in memory.
Stata allows expressions within subscripts; they are evaluated observation by observation and the result is then used to look-up values in variables. Consider this sandbox:
```
clear
input float y
1
2
3
4
5
end
. gen foo = y[mod(_n, 2)]
(2 missing values generated)
. gen x = 3
. gen bar = y[y == x]
(4 missing values generated)
. list
+-------------------+
| y foo x bar |
|-------------------|
1. | 1 1 3 . |
2. | 2 . 3 . |
3. | 3 1 3 1 |
4. | 4 . 3 . |
5. | 5 1 3 . |
+-------------------+
```
`mod(_n, 2)` is the remainder on dividing the observation `_n` by 2: that is 1 for odd observation numbers and 0 for even numbers. Observation 0 is not in the dataset (Stata starts indexing at 1). It's not an error to refer to values in that observation, but the result is returned as missing (numeric missing here, and empty strings `""` if the variable is string). Hence `foo` is `x[1]` or 1 for odd observation numbers and missing for even numbers.
True or false expressions are evaluated as 1 if true and 0 is false. Thus `y == x` is true only in observation 3, and so `bar` is the value of `y[1]` there and missing everywhere else. Stata doesn't have the special (and useful) twist in R that it is the subscripts for which a true or false expression is true that are used to select zero or more values.
There are ways of using subscripts to get special effects. This example shows one. (It's much easier to get the same kind of result in Mata.)
```
. gen random = runiform()
. sort random
. gen obs = _n
. sort y
. gen randomsorted = random[obs]
. l
+-----------------------------------------------+
| y foo x bar random obs random~d |
|-----------------------------------------------|
1. | 1 1 3 . .3488717 4 .0285569 |
2. | 2 . 3 . .2668857 3 .1366463 |
3. | 3 1 3 1 .1366463 2 .2668857 |
4. | 4 . 3 . .0285569 1 .3488717 |
5. | 5 1 3 . .8689333 5 .8689333 |
+-----------------------------------------------+
```
This answer doesn't cover matrices in Stata or Mata.
Upvotes: 1 |
2018/03/21 | 1,105 | 3,764 | <issue_start>username_0: Is there a way to define alongside a (typed) structure a contract for the entire structure in Typed Racket? In my particular case, I have a structure that takes two lists as fields, and I want to require the lists to be the same length.
I've looked at:
* [`make-struct-type`](https://docs.racket-lang.org/reference/creatingmorestructs.html#%28def._%28%28quote._~23~25kernel%29._make-struct-type%29%29), which allows specification of a "guard" that moderates constructor calls. I could pass a procedure that raises an exception if the lengths don't match, but I don't know what to do with the values returned by `make-struct-type`.
* [`struct/c`](https://docs.racket-lang.org/reference/data-structure-contracts.html#%28form._%28%28lib._racket%2Fcontract%2Fprivate%2Fstruct-dc..rkt%29._struct%2Fc%29%29) and the `struct` form of [`contract-out`](https://docs.racket-lang.org/reference/attaching-contracts-to-values.html#%28form._%28%28lib._racket%2Fcontract%2Fbase..rkt%29._contract-out%29%29), both of which produce structure contracts from contracts on individual fields. This seems unhelpful here.
Ideally I would like to bind the contract to the structure immediately (as in `define/contract`), but I'm open to adding the contract when I `provide` the type's procedures. However, I currently provide the recognizer and accessor procedures individually rather than using `struct-out` (so that I can exclude or rename individual procedures), and I'd like to keep that flexibility.
Right now I have something like this:
```
(provide
(rename-out
[MyStruct my-struct]
[MyStruct? my-struct?]
[MyStruct-foo my-struct-foo]
[MyStruct-bar my-struct-bar]
)
)
(struct MyStruct (
[foo : (Listof Symbol)]
[bar : (Listof Any)]
))
```<issue_comment>username_1: Wow. I'm surprised how difficult it was to do that in Typed Racket. In plain (untyped) Racket its as simple as adding a `#:guard` when making you [`struct`](http://docs.racket-lang.org/reference/define-struct.html#%28form._%28%28lib._racket%2Fprivate%2Fbase..rkt%29._struct%29%29). Unfortunately, the [`struct`](http://docs.racket-lang.org/ts-reference/special-forms.html#%28form._%28%28lib._typed-racket%2Fbase-env%2Fprims..rkt%29._struct%29%29) form in Typed Racket doesn't support it.
So, to deal with this, I would generate a structure type with a private (to the module) constructor name, and then make your own constructor function that actually does the contract you wanted it to check.
This will end up looking something like:
```
(struct env ([keys : (Listof Symbol)]
[values : (Listof Any)])
#:constructor-name internal-env)
(: make-env (-> (Listof Symbol) (Listof Any) env))
(define (make-env k v)
(unless (= (length k) (length v))
(raise-arguments-error 'env
"env key and value counts don't match"
"keys" k
"values" v))
(internal-env k v))
```
Now, when you provide the struct, simply don't provide `internal-env`, but do provide the `make-env` function:
```
(provide (except-out (struct-out env)
internal-env)
make-env)
```
Now, when I construct an env, I get a (dynamic) check to ensure the list lengths match:
```
> (make-env '() '())
#
> (make-env '(a) '(1))
#
> (make-env '(a) '())
env: env key and value counts don't match
keys: '(a)
values: '()
```
Upvotes: 3 [selected_answer]<issue_comment>username_2: You may find defining and providing the structure definitions with guard functions from Racket, then require/typed-ing and type annotating the structures in Typed Racket a simpler solution than attempting to achieve the same effect purely in Typed Racket.
Upvotes: 0 |
2018/03/21 | 470 | 1,489 | <issue_start>username_0: I am trying to get a query to search for a string, and I'm pretty sure the only reason I am not getting it to work is because the name of the column is NAME which is also a reserved word.The query runs but it does not pull up anything even though the string is in the column. Is there anything that looks wrong?
```
SELECT TABLE."NAME"
FROM TABLE
WHERE TABLE."NAME" LIKE '%apple%'
```<issue_comment>username_1: First, `table` *is* a reserved word. Let me assume that is not the real table name.
Second, putting a column name in double quotes has an effect. I would suggest that you try:
```
SELECT t.name
FROM t
WHERE t.name LIKE '%apple%';
```
Upvotes: 0 <issue_comment>username_2: It should work, just ensure you're using upper/lower case correctly.
```
create table tbl ("NAME" varchar(20));
insert into tbl values ('pppp apple pppp');
insert into tbl values ('pppp beer pppp');
insert into tbl values ('apple pppp pppp');
select *
from tbl
where tbl."NAME" like '%apple%'
```
>
>
> ```
>
> | NAME |
> | :-------------- |
> | pppp apple pppp |
> | apple pppp pppp |
>
> ```
>
>
*dbfiddle [here](http://dbfiddle.uk/?rdbms=oracle_11.2&fiddle=4d2eb5d74875a336c28b9fae06d7f432)*
Upvotes: 1 <issue_comment>username_3: If you are not sure of the case of the data, force it by using upper or lower before comparing so you are comparing apples to apples (heh):
```
SELECT NAME
FROM TABLE
WHERE lower(NAME) LIKE '%apple%'
```
Upvotes: 0 |
2018/03/21 | 275 | 1,180 | <issue_start>username_0: I am aware of constructor pattern to get to a configured IOptions e.g.
```
public SomeClass(IOptions someOptions)
{
}
```
However, I have run into a scenario where I have an existing method where I want to access SomeOptions. I do not want to change the signature for the constructor of that class. Is there any other way to access SomeOptions?<issue_comment>username_1: Built-in DI container in ASP.NET Core is very simple and supports dependency injection only via constructor. In your case, you have 2 options (as you don't want to change the ctor signature)
* setup and use any other DI container that supports dependency injection via method/property etc
* or pass `IOptions` as the argument to your `existing method`. But you will need to get options from DI container in some other place before calling the method though.
Upvotes: 0 <issue_comment>username_2: This is the "service locator" anti-pattern, but you can retrieve services from the DI container within controllers or any of the other base classes that give you an instance of `HttpContext`:
```cs
var opts = HttpContext.RequestServices.GetService(typeof(IOptions));
```
Upvotes: 2 |
2018/03/21 | 1,263 | 3,519 | <issue_start>username_0: I would like to utilize user input to match and rearrange strings.
In Perl a simple example would look like the following:
```
use strict;
my $str = 'abc123def456ghi';
my $user_input1 = '(\d+).+?(\d+)';
my $user_input2 = '$2.$1';
if ($str =~ /$user_input1/) {
my $newstr = eval($user_input2);
print $newstr;
}
else {print "No match..."};
```
The same works in principle also in Python:
```
import re
mystr = 'abc123def456ghi'
user_input1 = '(\d+).+?(\d+)'
user_input2 = 'm.group(2) + m.group(1)'
m = re.search(user_input1,mystr)
if m:
newstr = eval(user_input2)
print (newstr)
else: print ("No match...")
```
Result: 456123
However, the expressions `'m.group(1)'` and `'m.group(2)'` are not very user-friendly if you have to type it several times in an entry field.
Therefore, I am wondering if in Python there are similar compact expression like `'$1'` `'$2'` in Perl?
I can't get it work in Python with `'\1'` and `'\2'`.
Any ideas?
Edit:
Sorry, I try to explain after some comments below:
I was trying `eval()` since it seems to work with `m.group(1)` etc.
but apparently for some reason `r'\1'` etc. is not accepted in `eval()`
```
import re
mystr = 'abc123def456ghi'
user_input1 = r'(\d+).+?(\d+)'
user_input2 = r'\2\1'
newstr = eval(user_input2)
print (newstr)
```
results in
```
SyntaxError: unexpected character after line continuation character
```
About the suggestion to use re.sub()
It should not be a simple substitution of a string but a rearrangement+addition of matches.
If I modify the original regex
```
user_input1 = r'(.+?)(\d+).+?(\d+)(.+)'
```
I can use `user_input2 = r'\3\2'`
However, e.g. if I want to add '999' inbetween the matches (of course, neither `r'\3999\2'` or `r'\3+"999"+\2'` does it) then probably I am back using `eval()` and `m.group(1)` etc. although I wanted to keep the user input as short and simple as possible. Maybe, I can use some kind of the suggested substitutions.<issue_comment>username_1: "inspired" by the above comments, I think the following seems to be an answer to my question. (Assuming that you have only `\1` to `\9`). At least, this solution was not intuitive and obvious to me (as Python likes to be). More elegant constructs are welcome.
```
import re
mystr = 'abc123def456ghi'
user_input1 = r'(\d+).+?(\d+)'
user_input2 = r'\2+"999"+\1'
user_input2 = re.sub(r'\\(\d)',r'm.group(\1)',user_input2,flags=re.S)
m = re.search(user_input1,mystr)
if m:
newstr = eval(user_input2)
print (newstr)
```
Upvotes: 0 <issue_comment>username_2: You don't need `eval`. In fact, [you want to avoid `eval` like the plague](https://stackoverflow.com/questions/1832940/why-is-using-eval-a-bad-practice).
You can achieve the same output with [`match.expand`](https://docs.python.org/3/library/re.html#re.match.expand):
```
mystr = 'abc123def456ghi'
user_input1 = r'(\d+).+?(\d+)'
user_input2 = r'\2\1'
match = re.search(user_input1, mystr)
result = match.expand(user_input2)
# result: 456123
```
The example about inserting `999` between the matches is easily solved by using the `\g` syntax:
```
mystr = 'abc123def456ghi'
user_input1 = r'(.+?)(\d+).+?(\d+)(.+)'
user_input2 = r'\g<3>999\2'
match = re.search(user_input1, mystr)
result = match.expand(user_input2)
# result: 456999123
```
As you can see, if all you need to do is move captured text around and insert new text, the regex module has you covered. Only use `eval` if you ***really*** have to execute code.
Upvotes: 2 [selected_answer] |
2018/03/21 | 603 | 2,597 | <issue_start>username_0: I'm new to flutter and i really want to know, is there a way to connect to a database server (for instance mysql) in flutter rather using firebase. I'm working on a smart parking system project where i need to insert the latitude and longitude of the parking area which is free into the database which is created in server and retrieve it whenever user requests for it. It would be great if anyone gives solution for above mentioned problem (Flutter with database).<issue_comment>username_1: Since Flutter is just a UI Framework, topics such as persistence and databases may be out of scope or may depend on the use case.
Flutter UI's can persist data (application state) for short periods of time in a manner that is really only useful for the purposes of creating a good User Experience (is this button click? is it green? etc.)
For persisting more useful data outside of the application and on the actual device, you may want to consider the [Shared Preferences Plugin for Flutter](https://github.com/flutter/plugins/tree/master/packages/shared_preferences).
>
> Wraps NSUserDefaults (on iOS) and SharedPreferences (on Android),
> providing a persistent store for simple data. Data is persisted to
> disk automatically and asynchronously.
>
>
>
Now, if you require persisting data in any centralized manner (e.g. RDMS, Firebase, or any data persistence service) your options are:
* Persistence options that have a Flutter plugin (e.g. Firestore, Firebase)
* Build your own service layer using [HTTP](https://flutter.io/networking/), [gRPC](https://grpc.io/docs/quickstart/dart.html) that talks to some backend service that provides access to a data store. You can do this with Express, Rails, CloudFunctions, etc.
* As for connecting directly to a database such as MySQL, I don't see why you couldn't do that (maybe there is some technical limitation), but this would be a very bad idea in any practical situations as (unlike Firebase/Firestore) you won't be able to protect your data store once any client application has write access.
It sounds like you need a central read/write data store, so your best bet may be to host a server that provides access to a database while exposing an API to Flutter for which you can use `dart:io` to make requests.
Upvotes: 3 <issue_comment>username_2: Try using sqflite. It's a package you can include in your Flutter app that allows you to persist data to the local device. You will need to use the path\_provider as well. Here is the link to the repository on Github <https://github.com/tekartik/sqflite>
Upvotes: 2 |
2018/03/21 | 7,616 | 25,973 | <issue_start>username_0: I have a pretty simple situation and I've tried a few things now and I can't find the cause of this issue. It claims it can not Autowire the Feign client class though this is how I have done this in Spring Boot 1.5.9. At least I'm pretty sure. Things work fine in all my unit tests though I'm mocking this client. Formerly it was a part of an imported library however to eliminate possibilities of me not properly locating the bean I just added it to the same project.
I'm not the most experienced with Spring or Feign so I'm wondering if it's obvious what I'm missing here.
Simple feign client:
```
@FeignClient(name = "my-other-service")
public interface OtherServiceClient {
@GetMapping(value = "/foo/{fooId}")
@ResponseBody
String getFoo(@PathVariable int fooId);
}
```
Main application class:
```
@SpringBootApplication
@EnableDiscoveryClient
@EnableFeignClients
// Had a component scan here when in other module
public class MyServiceApplication {
public static void main(String[] args) {
SpringApplication.run(MyServiceApplication.class, args);
}
}
```
The service that depends on the feign client:
```
@Service
public class FooService {
private final FooRepository fooRepository;
private final BarRepository barRepository;
private OtherServiceClient otherServiceClient;
@Autowired
public OrderService(
FooRepository fooRepository,
BarRepository barRepository,
OtherServiceClient otherServiceClient) {
this.fooRepository= fooRepository;
this.barRepository = barRepository;
this.otherServiceClient = otherServiceClient;
}
```
Since it might be an auto config thing here is the configuration report:
```
============================
CONDITIONS EVALUATION REPORT
============================
Positive matches:
-----------------
ConfigServiceBootstrapConfiguration#configServicePropertySource matched:
- @ConditionalOnProperty (spring.cloud.config.enabled) matched (OnPropertyCondition)
- @ConditionalOnMissingBean (types: org.springframework.cloud.config.client.ConfigServicePropertySourceLocator; SearchStrategy: all) did not find any beans (OnBeanCondition)
ConfigurationPropertiesRebinderAutoConfiguration matched:
- @ConditionalOnBean (types: org.springframework.boot.context.properties.ConfigurationPropertiesBindingPostProcessor; SearchStrategy: all) found bean 'org.springframework.boot.context.properties.ConfigurationPropertiesBindingPostProcessor' (OnBeanCondition)
ConfigurationPropertiesRebinderAutoConfiguration#configurationPropertiesBeans matched:
- @ConditionalOnMissingBean (types: org.springframework.cloud.context.properties.ConfigurationPropertiesBeans; SearchStrategy: current) did not find any beans (OnBeanCondition)
ConfigurationPropertiesRebinderAutoConfiguration#configurationPropertiesRebinder matched:
- @ConditionalOnMissingBean (types: org.springframework.cloud.context.properties.ConfigurationPropertiesRebinder; SearchStrategy: current) did not find any beans (OnBeanCondition)
EncryptionBootstrapConfiguration matched:
- @ConditionalOnClass found required class 'org.springframework.security.crypto.encrypt.TextEncryptor'; @ConditionalOnMissingClass did not find unwanted class (OnClassCondition)
PropertyPlaceholderAutoConfiguration#propertySourcesPlaceholderConfigurer matched:
- @ConditionalOnMissingBean (types: org.springframework.context.support.PropertySourcesPlaceholderConfigurer; SearchStrategy: current) did not find any beans (OnBeanCondition)
Negative matches:
-----------------
ConfigServiceBootstrapConfiguration.RetryConfiguration:
Did not match:
- @ConditionalOnClass did not find required class 'org.springframework.retry.annotation.Retryable' (OnClassCondition)
DiscoveryClientConfigServiceBootstrapConfiguration:
Did not match:
- @ConditionalOnProperty (spring.cloud.config.discovery.enabled) did not find property 'spring.cloud.config.discovery.enabled' (OnPropertyCondition)
EncryptionBootstrapConfiguration.RsaEncryptionConfiguration:
Did not match:
- Keystore nor key found in Environment (EncryptionBootstrapConfiguration.KeyCondition)
Matched:
- @ConditionalOnClass found required class 'org.springframework.security.rsa.crypto.RsaSecretEncryptor'; @ConditionalOnMissingClass did not find unwanted class (OnClassCondition)
EncryptionBootstrapConfiguration.VanillaEncryptionConfiguration:
Did not match:
- @ConditionalOnMissingClass found unwanted class 'org.springframework.security.rsa.crypto.RsaSecretEncryptor' (OnClassCondition)
EurekaDiscoveryClientConfigServiceBootstrapConfiguration:
Did not match:
- @ConditionalOnProperty (spring.cloud.config.discovery.enabled) did not find property 'spring.cloud.config.discovery.enabled' (OnPropertyCondition)
Matched:
- @ConditionalOnClass found required class 'org.springframework.cloud.config.client.ConfigServicePropertySourceLocator'; @ConditionalOnMissingClass did not find unwanted class (OnClassCondition)
```
Relevant parts of the pom...I'm using Maven.
```
org.springframework.boot
spring-boot-starter-parent
2.0.0.RELEASE
UTF-8
UTF-8
1.8
Finchley.BUILD-SNAPSHOT
2.0.0.RELEASE
${project.build.directory}/generated-snippets
org.springframework.boot
spring-boot-starter-actuator
org.springframework.boot
spring-boot-starter-data-jpa
org.springframework.boot
spring-boot-starter-security
org.springframework.boot
spring-boot-starter-web
org.springframework.cloud
spring-cloud-starter-config
org.springframework.cloud
spring-cloud-starter-openfeign
org.springframework.cloud
spring-cloud-starter-netflix-eureka-client
org.springframework.cloud
spring-cloud-starter-oauth2
org.springframework.boot
spring-boot-devtools
runtime
com.oracle
ojdbc14
10.2.0
com.fasterxml.jackson.datatype
jackson-datatype-jdk8
2.9.4
org.projectlombok
lombok
true
org.hsqldb
hsqldb
2.4.0
test
org.springframework.boot
spring-boot-starter-test
test
org.springframework.restdocs
spring-restdocs-mockmvc
test
org.springframework.security
spring-security-test
test
org.springframework.cloud
spring-cloud-dependencies
${spring-cloud.version}
pom
import
spring-snapshots
Spring Snapshots
https://repo.spring.io/snapshot
true
spring-milestones
Spring Milestones
https://repo.spring.io/milestone
false
```
Stack trace pruned from some of the less pertinent data...
```
2018-03-21 15:07:20.481 INFO 26756 --- [ restartedMain] org.hibernate.Version : HHH000412: Hibernate Core {5.2.14.Final}
2018-03-21 15:07:20.483 INFO 26756 --- [ restartedMain] org.hibernate.cfg.Environment : HHH000206: hibernate.properties not found
2018-03-21 15:07:20.539 INFO 26756 --- [ restartedMain] o.hibernate.annotations.common.Version : HCANN000001: Hibernate Commons Annotations {5.0.1.Final}
2018-03-21 15:07:20.930 INFO 26756 --- [ restartedMain] org.hibernate.dialect.Dialect : HHH000400: Using dialect: org.hibernate.dialect.Oracle10gDialect
2018-03-21 15:07:21.445 INFO 26756 --- [ restartedMain] o.h.e.j.e.i.LobCreatorBuilderImpl : HHH000424: Disabling contextual LOB creation as createClob() method threw error : java.lang.reflect.InvocationTargetException
java.lang.reflect.InvocationTargetException: null
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[na:1.8.0_162]
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[na:1.8.0_162]
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0_162]
at java.lang.reflect.Method.invoke(Method.java:498) ~[na:1.8.0_162]
at org.hibernate.engine.jdbc.env.internal.LobCreatorBuilderImpl.useContextualLobCreation(LobCreatorBuilderImpl.java:113) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.engine.jdbc.env.internal.LobCreatorBuilderImpl.makeLobCreatorBuilder(LobCreatorBuilderImpl.java:54) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.engine.jdbc.env.internal.JdbcEnvironmentImpl.(JdbcEnvironmentImpl.java:271) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at ...
at org.hibernate.service.internal.AbstractServiceRegistryImpl.getService(AbstractServiceRegistryImpl.java:210) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.engine.jdbc.internal.JdbcServicesImpl.configure(JdbcServicesImpl.java:51) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.boot.registry.internal.StandardServiceRegistryImpl.configureService(StandardServiceRegistryImpl.java:94) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.service.internal.AbstractServiceRegistryImpl.initializeService(AbstractServiceRegistryImpl.java:242) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.service.internal.AbstractServiceRegistryImpl.getService(AbstractServiceRegistryImpl.java:210) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.boot.model.process.spi.MetadataBuildingProcess.handleTypes(MetadataBuildingProcess.java:352) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.boot.model.process.spi.MetadataBuildingProcess.complete(MetadataBuildingProcess.java:111) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.jpa.boot.internal.EntityManagerFactoryBuilderImpl.metadata(EntityManagerFactoryBuilderImpl.java:861) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.jpa.boot.internal.EntityManagerFactoryBuilderImpl.build(EntityManagerFactoryBuilderImpl.java:888) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.springframework.orm.jpa.vendor.SpringHibernateJpaPersistenceProvider.createContainerEntityManagerFactory(SpringHibernateJpaPersistenceProvider.java:57) [spring-orm-5.0.4.RELEASE.jar:5.0.4.RELEASE]
.
.
.
at org.springframework.boot.web.servlet.context.ServletWebServerApplicationContext.refresh(ServletWebServerApplicationContext.java:140) ~[spring-boot-2.0.0.RELEASE.jar:2.0.0.RELEASE]
at org.springframework.boot.SpringApplication.refresh(SpringApplication.java:752) ~[spring-boot-2.0.0.RELEASE.jar:2.0.0.RELEASE]
at org.springframework.boot.SpringApplication.refreshContext(SpringApplication.java:388) ~[spring-boot-2.0.0.RELEASE.jar:2.0.0.RELEASE]
at org.springframework.boot.SpringApplication.run(SpringApplication.java:327) ~[spring-boot-2.0.0.RELEASE.jar:2.0.0.RELEASE]
at org.springframework.boot.SpringApplication.run(SpringApplication.java:1246) ~[spring-boot-2.0.0.RELEASE.jar:2.0.0.RELEASE]
at org.springframework.boot.SpringApplication.run(SpringApplication.java:1234) ~[spring-boot-2.0.0.RELEASE.jar:2.0.0.RELEASE]
at com.myservice.EqOrderServiceApplication.main(EqOrderServiceApplication.java:14) ~[classes/:na]
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[na:1.8.0\_162]
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[na:1.8.0\_162]
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0\_162]
at java.lang.reflect.Method.invoke(Method.java:498) ~[na:1.8.0\_162]
at org.springframework.boot.devtools.restart.RestartLauncher.run(RestartLauncher.java:49) ~[spring-boot-devtools-2.0.0.RELEASE.jar:2.0.0.RELEASE]
Caused by: java.lang.AbstractMethodError: oracle.jdbc.driver.T4CConnection.createClob()Ljava/sql/Clob;
... 49 common frames omitted
2018-03-21 15:07:22.361 INFO 26756 --- [ restartedMain] j.LocalContainerEntityManagerFactoryBean : Initialized JPA EntityManagerFactory for persistence unit 'default'
2018-03-21 15:07:23.295 INFO 26756 --- [ restartedMain] s.c.a.AnnotationConfigApplicationContext : Refreshing FeignContext-dbe-order-detail: startup date [Wed Mar 21 15:07:23 EDT 2018]; parent: org.springframework.boot.web.servlet.context.AnnotationConfigServletWebServerApplicationContext@1290d90c
2018-03-21 15:07:23.316 INFO 26756 --- [ restartedMain] f.a.AutowiredAnnotationBeanPostProcessor : JSR-330 'javax.inject.Inject' annotation found and supported for autowiring
2018-03-21 15:07:24.048 WARN 26756 --- [ restartedMain] ConfigServletWebServerApplicationContext : Exception encountered during context initialization - cancelling refresh attempt: org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'mainController' defined in file [\controller\MainController.class]: Unsatisfied dependency expressed through constructor parameter 0; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'orderService' defined in file [\service\OrderService.class]: Unsatisfied dependency expressed through constructor parameter 2; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'com.myservice.OtherServiceClient ': FactoryBean threw exception on object creation; nested exception is java.lang.IllegalStateException: PathVariable annotation was empty on param 0.
2018-03-21 15:07:24.049 INFO 26756 --- [ restartedMain] s.c.a.AnnotationConfigApplicationContext : Closing FeignContext-dbe-order-detail: startup date [Wed Mar 21 15:07:23 EDT 2018]; parent: org.springframework.boot.web.servlet.context.AnnotationConfigServletWebServerApplicationContext@1290d90c
2018-03-21 15:07:24.051 INFO 26756 --- [ restartedMain] j.LocalContainerEntityManagerFactoryBean : Closing JPA EntityManagerFactory for persistence unit 'default'
2018-03-21 15:07:24.053 WARN 26756 --- [ restartedMain] o.s.b.f.support.DisposableBeanAdapter : Invocation of destroy method 'close' failed on bean with name 'eurekaRegistration': org.springframework.beans.factory.BeanCreationNotAllowedException: Error creating bean with name 'org.springframework.cloud.netflix.eureka.EurekaClientAutoConfiguration$RefreshableEurekaClientConfiguration': Singleton bean creation not allowed while singletons of this factory are in destruction (Do not request a bean from a BeanFactory in a destroy method implementation!)
2018-03-21 15:07:24.055 INFO 26756 --- [ restartedMain] o.apache.catalina.core.StandardService : Stopping service [Tomcat]
2018-03-21 15:07:24.077 INFO 26756 --- [ restartedMain] ConditionEvaluationReportLoggingListener :
Error starting ApplicationContext. To display the conditions report re-run your application with 'debug' enabled.
2018-03-21 15:07:24.091 ERROR 26756 --- [ restartedMain] o.s.boot.SpringApplication : Application run failed
org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'mainController' defined in file [\controller\MainController.class]: Unsatisfied dependency expressed through constructor parameter 0; nested exception is org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'orderService' defined in file [\service\OrderService.class]: Unsatisfied dependency expressed through constructor parameter 2; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'com.myservice.OtherServiceClient ': FactoryBean threw exception on object creation; nested exception is java.lang.IllegalStateException: PathVariable annotation was empty on param 0.
at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:729) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.ConstructorResolver.autowireConstructor(ConstructorResolver.java:192) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.autowireConstructor(AbstractAutowireCapableBeanFactory.java:1270) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
.
.
.
at com.myservice.MyServiceApplication.main(MyServiceApplication.java:14) [classes/:na]
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[na:1.8.0\_162]
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) ~[na:1.8.0\_162]
at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43) ~[na:1.8.0\_162]
at java.lang.reflect.Method.invoke(Method.java:498) ~[na:1.8.0\_162]
at org.springframework.boot.devtools.restart.RestartLauncher.run(RestartLauncher.java:49) [spring-boot-devtools-2.0.0.RELEASE.jar:2.0.0.RELEASE]
Caused by: org.springframework.beans.factory.UnsatisfiedDependencyException: Error creating bean with name 'orderService' defined in file [\service\OrderService.class]: Unsatisfied dependency expressed through constructor parameter 2; nested exception is org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'com.myservice.OtherServiceClient ': FactoryBean threw exception on object creation; nested exception is java.lang.IllegalStateException: PathVariable annotation was empty on param 0.
at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:729) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.ConstructorResolver.autowireConstructor(ConstructorResolver.java:192) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.autowireConstructor(AbstractAutowireCapableBeanFactory.java:1270) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.createBeanInstance(AbstractAutowireCapableBeanFactory.java:1127) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
.
.
.
at org.springframework.beans.factory.support.ConstructorResolver.resolveAutowiredArgument(ConstructorResolver.java:815) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:721) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
... 24 common frames omitted
Caused by: org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'com.myservice.OtherServiceClient ': FactoryBean threw exception on object creation; nested exception is java.lang.IllegalStateException: PathVariable annotation was empty on param 0.
at org.springframework.beans.factory.support.FactoryBeanRegistrySupport.doGetObjectFromFactoryBean(FactoryBeanRegistrySupport.java:168) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.FactoryBeanRegistrySupport.getObjectFromFactoryBean(FactoryBeanRegistrySupport.java:101) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractBeanFactory.getObjectForBeanInstance(AbstractBeanFactory.java:1645) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractAutowireCapableBeanFactory.getObjectForBeanInstance(AbstractAutowireCapableBeanFactory.java:1178) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractBeanFactory.doGetBean(AbstractBeanFactory.java:258) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.AbstractBeanFactory.getBean(AbstractBeanFactory.java:200) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.config.DependencyDescriptor.resolveCandidate(DependencyDescriptor.java:251) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.DefaultListableBeanFactory.addCandidateEntry(DefaultListableBeanFactory.java:1325) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.DefaultListableBeanFactory.findAutowireCandidates(DefaultListableBeanFactory.java:1291) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.DefaultListableBeanFactory.doResolveDependency(DefaultListableBeanFactory.java:1101) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.DefaultListableBeanFactory.resolveDependency(DefaultListableBeanFactory.java:1065) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.ConstructorResolver.resolveAutowiredArgument(ConstructorResolver.java:815) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
at org.springframework.beans.factory.support.ConstructorResolver.createArgumentArray(ConstructorResolver.java:721) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
... 38 common frames omitted
Caused by: java.lang.IllegalStateException: PathVariable annotation was empty on param 0.
at feign.Util.checkState(Util.java:128) ~[feign-core-9.5.1.jar:na]
at org.springframework.cloud.openfeign.annotation.PathVariableParameterProcessor.processArgument(PathVariableParameterProcessor.java:51) ~[spring-cloud-openfeign-core-2.0.0.BUILD-20180321.114528-231.jar:2.0.0.BUILD-SNAPSHOT]
at org.springframework.cloud.openfeign.support.SpringMvcContract.processAnnotationsOnParameter(SpringMvcContract.java:238) ~[spring-cloud-openfeign-core-2.0.0.BUILD-20180321.114528-231.jar:2.0.0.BUILD-SNAPSHOT]
at feign.Contract$BaseContract.parseAndValidateMetadata(Contract.java:110) ~[feign-core-9.5.1.jar:na]
at org.springframework.cloud.openfeign.support.SpringMvcContract.parseAndValidateMetadata(SpringMvcContract.java:133) ~[spring-cloud-openfeign-core-2.0.0.BUILD-20180321.114528-231.jar:2.0.0.BUILD-SNAPSHOT]
at feign.Contract$BaseContract.parseAndValidatateMetadata(Contract.java:66) ~[feign-core-9.5.1.jar:na]
at feign.ReflectiveFeign$ParseHandlersByName.apply(ReflectiveFeign.java:146) ~[feign-core-9.5.1.jar:na]
at feign.ReflectiveFeign.newInstance(ReflectiveFeign.java:53) ~[feign-core-9.5.1.jar:na]
at feign.Feign$Builder.target(Feign.java:218) ~[feign-core-9.5.1.jar:na]
at org.springframework.cloud.openfeign.HystrixTargeter.target(HystrixTargeter.java:39) ~[spring-cloud-openfeign-core-2.0.0.BUILD-20180321.114528-231.jar:2.0.0.BUILD-SNAPSHOT]
at org.springframework.cloud.openfeign.FeignClientFactoryBean.loadBalance(FeignClientFactoryBean.java:223) ~[spring-cloud-openfeign-core-2.0.0.BUILD-20180321.114528-231.jar:2.0.0.BUILD-SNAPSHOT]
at org.springframework.cloud.openfeign.FeignClientFactoryBean.getObject(FeignClientFactoryBean.java:244) ~[spring-cloud-openfeign-core-2.0.0.BUILD-20180321.114528-231.jar:2.0.0.BUILD-SNAPSHOT]
at org.springframework.beans.factory.support.FactoryBeanRegistrySupport.doGetObjectFromFactoryBean(FactoryBeanRegistrySupport.java:161) ~[spring-beans-5.0.4.RELEASE.jar:5.0.4.RELEASE]
... 50 common frames omitted
Disconnected from the target VM, address: '127.0.0.1:50881', transport: 'socket'
Process finished with exit code 0
```
I'm pretty stumped at this point.
EDIT:
Update, so, in order to investigate more as I was confident the service started prior to beginning the Feign work I commented out all references to the feign client and the feign client itself except the the configuration annotations on the application class. I still see the reference to the database driver on start up but the application does indeed run. This is the exception I see on start up but without Feign interactions the application starts.
```
2018-03-21 17:04:56.222 INFO 27424 --- [ restartedMain] o.h.e.j.e.i.LobCreatorBuilderImpl : HHH000424: Disabling contextual LOB creation as createClob() method threw error : java.lang.reflect.InvocationTargetException
java.lang.reflect.InvocationTargetException: null
at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) ~[na:1.8.0_162]
at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62) org.hibernate.service.internal.AbstractServiceRegistryImpl.createService(AbstractServiceRegistryImpl.java:259) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
org.hibernate.service.internal.AbstractServiceRegistryImpl.getService(AbstractServiceRegistryImpl.java:210) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.engine.jdbc.internal.JdbcServicesImpl.configure(JdbcServicesImpl.java:51) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
at org.hibernate.boot.registry.internal.StandardServiceRegistryImpl.configureService(StandardServiceRegistryImpl.java:94) [hibernate-core-5.2.14.Final.jar:5.2.14.Final]
Caused by: java.lang.AbstractMethodError: oracle.jdbc.driver.T4CConnection.createClob()Ljava/sql/Clob;
... 49 common frames omitted
```
The database driver is on the older side so I might see about updating it to the ojdbc8 driver maybe while I'm at it...<issue_comment>username_1: There was an issue in feign client before. I guess you are experiencing the same maybe because you are using an old version but what you should do is including the pathVariable name in your @PathVariable annotation like this `@RequestMapping(value = "/hello/{name}", method = RequestMethod.GET)
String hello(@PathVariable(value = "name") String name);`
You can find the details from [here](https://github.com/spring-cloud/spring-cloud-netflix/issues/861)
Upvotes: 4 <issue_comment>username_2: ```
@GetMapping(value = "/foo/{fooId}")
@ResponseBody
String getFoo(@PathVariable(value="fooId") int fooId);
```
will do
Upvotes: -1 <issue_comment>username_3: When you using rest feign client service we need to define exact @Pathvariable name.
```
@GetMapping("/hello-world/from/{from}/to/{to}")
public String getHelloWorld(@PathVariable("from") String from, @PathVariable ("to") String to);
```
Upvotes: 5 [selected_answer]<issue_comment>username_4: I had the same issue with @pathvariable, its resolved when I added the value property of `@PathVariable` like below,
```
@PathVariable(value = "from") String from,
@PathVariable(value = "to") String to);
```
Upvotes: 0 |
2018/03/21 | 1,405 | 4,995 | <issue_start>username_0: I use Infinity scrolling model in a-grid, now I want to send http get request with several parameters, like below
<https://tryoper/_dc=1521659863545&page=1&start=0&end=50&sort=%5B%7B%22property%22%3A%22Number%22%2C%22direction%22%3A%22DESC%22%7D%5D>
"page" & "start" &"end"&"sort"&"Number"&"DESC" all are parameters.
and my http request code are below, I use json place holder to run json file as server
```
onGridReady(params) {
params.api.sizeColumnsToFit();
this.gridApi = params.api;
this.gridColumnApi = params.columnApi;
let URL = 'http://localhost:3000/employees';
let myHeaders = new Headers();
myHeaders.set('Content-Type', 'application/json');
let myParams = new URLSearchParams()
myParams.set('sort', params.sortModel);
myParams.set('filter', params.filterModel);
let options = new RequestOptions({ headers: myHeaders, params: myParams });
this.http.get(URL, options).subscribe(data => {
console.log(data);
var newData = data.json();
newData.forEach(function (data, index) {
newData.id = "R" + (index + 1);
});
//params.api.setRowData(newData);
var dataSource = {
rowCount: null,
getRows: function (params) {
console.log("asking for " + params.startRow + " to " + params.endRow);
setTimeout(function () {
console.log("sortModel: ", JSON.stringify(params.sortModel));
console.log("filterModel: ", JSON.stringify(params.filterModel));
console.log("--------------------------");
var dataAfterSortingAndFiltering = sortAndFilter(newData, params.sortModel, params.filterModel);
var rowsThisPage = dataAfterSortingAndFiltering.slice(params.startRow, params.endRow);
var lastRow = -1;
if (dataAfterSortingAndFiltering.length <= params.endRow) {
lastRow = dataAfterSortingAndFiltering.length;
}
params.successCallback(rowsThisPage, lastRow);
}, 500);
}
};
params.api.setDatasource(dataSource);
});
/* this.http
.get('assets/db.json')
.subscribe(data => {
console.log(data);
var newData = data.json();
newData.forEach(function (data, index) {
newData.id = "R" + (index + 1);
});
//params.api.setRowData(newData);
var dataSource = {
rowCount: null,
getRows: function (params) {
console.log("asking for " + params.startRow + " to " + params.endRow);
setTimeout(function () {
//var str=JSON.stringify(params.sortModel);
//console.log("sortModel: ", JSON.stringify(params.sortModel));
//var try2=params.sortModel;
//var try3 = try2[0];
//console.log("try3", try3);
//console.log("try3.colId",try3.sort);
//console.log("filterModel: ", JSON.stringify(params.filterModel));
//console.log(params.filterModel);
//console.log("--------------------------");
var dataAfterSortingAndFiltering = sortAndFilter(newData, params.sortModel, params.filterModel);
var rowsThisPage = dataAfterSortingAndFiltering.slice(params.startRow, params.endRow);
var lastRow = -1;
if (dataAfterSortingAndFiltering.length <= params.endRow) {
lastRow = dataAfterSortingAndFiltering.length;
}
params.successCallback(rowsThisPage, lastRow);
}, 500);
}
};
params.api.setDatasource(dataSource);
});
*/
}
}
```
the first http.get cannot work (no error,can load data, but cannot provide sort and filter ), but the second, one without parameters can sort and filter. and I want to see http.get request url in development tools' network, I cannot see anything now. Is there any one who knows how to fix it? Thank you. And I can get this result in console
[enter image description here](https://i.stack.imgur.com/ooRtL.png)<issue_comment>username_1: It do not call above API again . and it just slice the start and end rows from it . so actually the the API will get all records from the db and then slicing of first 100 .. Then second 100 and so on take place . it is not like API will get param from angular to get first 100 then second 100 .
Upvotes: 1 <issue_comment>username_1: You can use something like this
```
dataSource: IDatasource = {
getRows: (params: IGetRowsParams) => {
this.apiService().subscribe(data => {
this.rowData = data;
params.successCallback(data, 1000
);
})
}
```
}
```
apiService(): any {
return this.http.get('your Get request Url with the parameters example param.startRow , param.endRow')
```
}
```
onGridReady(params) {
this.gridApi = params.api;
this.gridColumnApi = params.columnApi;
this.gridColumnApi.rowHeight = 50;
this.gridApi.sizeColumnsToFit();
this.gridApi.setDatasource(this.dataSource)
this.autoSizeAll();
```
}
and at the HTMl Side
```
enter code here
```
Upvotes: 0 |
2018/03/21 | 620 | 1,776 | <issue_start>username_0: I'm using ubuntu 14.04 and Docker version:
```
Client:
Version: 17.12.1-ce
API version: 1.35
Go version: go1.9.4
Git commit: 7390fc6
Built: Tue Feb 27 22:17:56 2018
OS/Arch: linux/amd64
Server:
Engine:
Version: 17.12.1-ce
API version: 1.35 (minimum version 1.12)
Go version: go1.9.4
Git commit: 7390fc6
Built: Tue Feb 27 22:16:28 2018
OS/Arch: linux/amd64
Experimental: false
```
Below is my `Dockerfile`:
```
FROM ubuntu:16.04
# Install the required packages
RUN apt-get update
RUN apt-get -y upgrade
RUN apt-get -y install openvswitch-switch openvswitch-common
RUN apt-get -y install nano
RUN apt-get -y install iproute2
RUN apt-get -y install tcpdump
RUN apt-get -y install openssh-server
RUN apt-get -y install net-tools
RUN apt-get -y install iputils-ping
RUN rm -rf /var/lib/apt/lists/*
```
After that I'm doing:
```
$sudo docker build -t mhkabir/ovs-container:latest .
$sudo docker run -it mhkabir/ovs-container:latest bash
```
Inside container, when I try to check Open vSwitch it's showing the error:
```
root@60cf0a5b5cfd:/# ovs-vsctl show
ovs-vsctl: unix:/var/run/openvswitch/db.sock: database connection failed (No such file or directory)
```
Expecting your suggestions. thank you.<issue_comment>username_1: Both ovs-vswitchd and ovsdb-server are running ?
Upvotes: -1 <issue_comment>username_2: this is issue might be related to the directory `/var/run/openvswitch/` is missing, causing the `ovs-ctl` daemon to fail on startup , there is two potential workarounds :
1-create the directory `/var/run/openvswitch/` like `RUN mkdir /var/run/openvswitch/` in your docker file
2-manually execute the `/usr/share/openvswitch/scripts/ovs-ctl start` command
Upvotes: 1 |
2018/03/21 | 1,606 | 5,767 | <issue_start>username_0: In my increaseCount method I have 3 different ways of increasing the count. I thought the first method could be used twice but it doesn't work as it seems to merge the setState in the callback. What's the proper way to use a callback function and why does the arrow notation work? How is prevState.count being defined? It is never set to 0
```js
import React from "react";
import { render } from "react-dom";
const styles = {
fontFamily: "sans-serif",
textAlign: "center"
};
class App extends React.Component {
constructor(props) {
super(props);
this.state = {
count: 0
};
}
increaseCount() {
console.log(this);
this.setState({ count: this.state.count }, function() {
this.setState({ count: this.state.count + 1 });
});
this.setState({ count: this.state.count + 1 });
this.setState(prevState=>({ count: prevState.count + 1 }));
}
render() {
return (
this.increaseCount()}>Increase
{this.state.count}
------------------
);
}
}
render(, document.getElementById("root"));
```<issue_comment>username_1: you should [bind](https://reactjs.org/docs/handling-events.html) your callback function in order to use 'this'
your constructor should look like this:
```
constructor(props) {
super(props);
this.state = {
count: 0
};
this.increaseCount = this.increaseCount.bind(this)
}
```
**Edit:**
and your inreaseCount function should look like:
```
increaseCount() {
console.log(this);
this.setState(prevState=> ({ count: prevState.count + 1 })) ;
}
```
Upvotes: 0 <issue_comment>username_2: As far as I know, only your third method is a proper way to increment a state value. Going through your attempts:
```
this.setState({ count: this.state.count }, function() {
this.setState({ count: this.state.count + 1 });
});
```
This snippet is redundant (you set the count to the same value), then when that state change has finished, you then increment the count by adding 1 to `this.state.count`. While that's fine here, you could have just done that to begin with (as in your next snippet).
Next:
```
this.setState({ count: this.state.count + 1 });
```
Better, but the `setState` method is asynchronous, so the actual state change won't occur until later. That means that this will work in most cases, but if you were to call it twice it *would not* increment by two, since `this.state.count` hasn't updated yet when the second call occurs.
Finally, your last attempt looks perfect:
```
this.setState(prevState=>({ count: prevState.count + 1 }));
```
This uses the functional `setState` syntax where react will give your callback function the current state, and you are expected to read it and return your desired new state. Using this style, you could call it twice (or as many as you want) times, and each call would increment the count properly.
---
To address some of your other questions:
>
> it seems to merge the setState in the callback.
>
>
>
Correct. From the documentation linked below:
>
> React may batch multiple setState() calls into a single update for performance.
>
>
>
---
>
> What's the proper way to use a callback function and why does the arrow notation work?
>
>
>
The functional `setState` is a new-ish react feature. Arrow functions are nice but not required (unless you access `this` inside the callback). From their [documentation here](https://reactjs.org/docs/state-and-lifecycle.html):
>
> To fix it, use a second form of setState() that accepts a function
> rather than an object. **That function will receive the previous state
> as the first argument**, and the props at the time the update is applied
> as the second argument:
>
>
>
> ```
> // Correct
> this.setState((prevState, props) => ({
> counter: prevState.counter + props.increment
> }));
>
> ```
>
> We used an arrow function above, but it also works with regular functions:
>
>
>
> ```
> // Correct
> this.setState(function(prevState, props) {
> return {
> counter: prevState.counter + props.increment
> };
> });
>
> ```
>
>
---
>
> How is prevState.count being defined? It is never set to 0
>
>
>
It is being set to zero in the constructor. The line:
```
this.state = {
count: 0
};
```
is what sets it initially. From that point, the current state (whatever it may be) is passed your `setState` callback function.
*Sorry for the wall, this answer got out of hand before I knew it. Hopefully that helps, LMK if I missed the point or there are more questions*
Upvotes: 3 [selected_answer]<issue_comment>username_3: * The `increaseCount` function need to be an arrow function, since you didn't bind it.
* The `setState` is an async function, it will not execute immoderately after called. So the 2nd `setState` won't execute correctly. In general, it is better to `setState` once on a single event. [Link to doc](https://reactjs.org/docs/react-component.html#setstate)
* `this.setState(function() {})` is valid, but I haven't seen `this.setState({ count: this.state.count }, function() {})` in anywhere in the doc.
To get expected result based on your code, this is the correct pattern:
```
increaseCount = () => {
let countBuffer = this.state.count;
countBuffer++;
countBuffer++;
countBuffer++;
this.setState(prevState => ({ count: countBuffer }));
}
```
This should work, but it's not the preferred method, due to it requires multiple times of unnecessary rendering:
```
increaseCount = async () => {
await this.setState(function(){ return { count: this.state.count + 1 } });
await this.setState({ count: this.state.count + 1 });
this.setState(prevState=>({ count: prevState.count + 1 }));
}
```
Upvotes: 1 |
2018/03/21 | 1,543 | 5,486 | <issue_start>username_0: I'll preface this by saying this is for an assignment, but I am not sure how to approach this after going through other stackoverflow questions for an hour or two.
I'm attempting to create a reverse function that accepts 2 lists as input and returns the first list reverse appended with the second list.
Example: `(reverse '(1 2) '(3 4))` --> `(2 1 3 4)`
My code is below, I have tried conditional statements such as when the first list is NOT null then do the main logic, then when it is only return l2 (which still returned `(3 4 2 1)` instead of `(2 1 3 4)`.
The problem I'm having is that no matter what I do the second list is always at the beginning of the first reversed list.
```
(define (myreverse l1 l2)
(if (null? l) l2)
(append (myreverse(cdr l1) l2) (list(car l1))))
```<issue_comment>username_1: you should [bind](https://reactjs.org/docs/handling-events.html) your callback function in order to use 'this'
your constructor should look like this:
```
constructor(props) {
super(props);
this.state = {
count: 0
};
this.increaseCount = this.increaseCount.bind(this)
}
```
**Edit:**
and your inreaseCount function should look like:
```
increaseCount() {
console.log(this);
this.setState(prevState=> ({ count: prevState.count + 1 })) ;
}
```
Upvotes: 0 <issue_comment>username_2: As far as I know, only your third method is a proper way to increment a state value. Going through your attempts:
```
this.setState({ count: this.state.count }, function() {
this.setState({ count: this.state.count + 1 });
});
```
This snippet is redundant (you set the count to the same value), then when that state change has finished, you then increment the count by adding 1 to `this.state.count`. While that's fine here, you could have just done that to begin with (as in your next snippet).
Next:
```
this.setState({ count: this.state.count + 1 });
```
Better, but the `setState` method is asynchronous, so the actual state change won't occur until later. That means that this will work in most cases, but if you were to call it twice it *would not* increment by two, since `this.state.count` hasn't updated yet when the second call occurs.
Finally, your last attempt looks perfect:
```
this.setState(prevState=>({ count: prevState.count + 1 }));
```
This uses the functional `setState` syntax where react will give your callback function the current state, and you are expected to read it and return your desired new state. Using this style, you could call it twice (or as many as you want) times, and each call would increment the count properly.
---
To address some of your other questions:
>
> it seems to merge the setState in the callback.
>
>
>
Correct. From the documentation linked below:
>
> React may batch multiple setState() calls into a single update for performance.
>
>
>
---
>
> What's the proper way to use a callback function and why does the arrow notation work?
>
>
>
The functional `setState` is a new-ish react feature. Arrow functions are nice but not required (unless you access `this` inside the callback). From their [documentation here](https://reactjs.org/docs/state-and-lifecycle.html):
>
> To fix it, use a second form of setState() that accepts a function
> rather than an object. **That function will receive the previous state
> as the first argument**, and the props at the time the update is applied
> as the second argument:
>
>
>
> ```
> // Correct
> this.setState((prevState, props) => ({
> counter: prevState.counter + props.increment
> }));
>
> ```
>
> We used an arrow function above, but it also works with regular functions:
>
>
>
> ```
> // Correct
> this.setState(function(prevState, props) {
> return {
> counter: prevState.counter + props.increment
> };
> });
>
> ```
>
>
---
>
> How is prevState.count being defined? It is never set to 0
>
>
>
It is being set to zero in the constructor. The line:
```
this.state = {
count: 0
};
```
is what sets it initially. From that point, the current state (whatever it may be) is passed your `setState` callback function.
*Sorry for the wall, this answer got out of hand before I knew it. Hopefully that helps, LMK if I missed the point or there are more questions*
Upvotes: 3 [selected_answer]<issue_comment>username_3: * The `increaseCount` function need to be an arrow function, since you didn't bind it.
* The `setState` is an async function, it will not execute immoderately after called. So the 2nd `setState` won't execute correctly. In general, it is better to `setState` once on a single event. [Link to doc](https://reactjs.org/docs/react-component.html#setstate)
* `this.setState(function() {})` is valid, but I haven't seen `this.setState({ count: this.state.count }, function() {})` in anywhere in the doc.
To get expected result based on your code, this is the correct pattern:
```
increaseCount = () => {
let countBuffer = this.state.count;
countBuffer++;
countBuffer++;
countBuffer++;
this.setState(prevState => ({ count: countBuffer }));
}
```
This should work, but it's not the preferred method, due to it requires multiple times of unnecessary rendering:
```
increaseCount = async () => {
await this.setState(function(){ return { count: this.state.count + 1 } });
await this.setState({ count: this.state.count + 1 });
this.setState(prevState=>({ count: prevState.count + 1 }));
}
```
Upvotes: 1 |
2018/03/21 | 1,446 | 5,234 | <issue_start>username_0: I have an old application that utilizes several stored procedures that attempt to save the current\_user value in a "Last\_Updated\_By" 6-character field on several different tables and the application can only support 6-character user names.
Due to Active Directory changes the users are now COMPANY\JORDAN instead of just JORDAN so there is a truncation error when stored procedures try to update/insert the "Last\_Updated\_By" value.
Is there any way to override the value of CURRENT\_USER at a database level to be RIGHT(CURRENT\_USER,8,6) ?<issue_comment>username_1: you should [bind](https://reactjs.org/docs/handling-events.html) your callback function in order to use 'this'
your constructor should look like this:
```
constructor(props) {
super(props);
this.state = {
count: 0
};
this.increaseCount = this.increaseCount.bind(this)
}
```
**Edit:**
and your inreaseCount function should look like:
```
increaseCount() {
console.log(this);
this.setState(prevState=> ({ count: prevState.count + 1 })) ;
}
```
Upvotes: 0 <issue_comment>username_2: As far as I know, only your third method is a proper way to increment a state value. Going through your attempts:
```
this.setState({ count: this.state.count }, function() {
this.setState({ count: this.state.count + 1 });
});
```
This snippet is redundant (you set the count to the same value), then when that state change has finished, you then increment the count by adding 1 to `this.state.count`. While that's fine here, you could have just done that to begin with (as in your next snippet).
Next:
```
this.setState({ count: this.state.count + 1 });
```
Better, but the `setState` method is asynchronous, so the actual state change won't occur until later. That means that this will work in most cases, but if you were to call it twice it *would not* increment by two, since `this.state.count` hasn't updated yet when the second call occurs.
Finally, your last attempt looks perfect:
```
this.setState(prevState=>({ count: prevState.count + 1 }));
```
This uses the functional `setState` syntax where react will give your callback function the current state, and you are expected to read it and return your desired new state. Using this style, you could call it twice (or as many as you want) times, and each call would increment the count properly.
---
To address some of your other questions:
>
> it seems to merge the setState in the callback.
>
>
>
Correct. From the documentation linked below:
>
> React may batch multiple setState() calls into a single update for performance.
>
>
>
---
>
> What's the proper way to use a callback function and why does the arrow notation work?
>
>
>
The functional `setState` is a new-ish react feature. Arrow functions are nice but not required (unless you access `this` inside the callback). From their [documentation here](https://reactjs.org/docs/state-and-lifecycle.html):
>
> To fix it, use a second form of setState() that accepts a function
> rather than an object. **That function will receive the previous state
> as the first argument**, and the props at the time the update is applied
> as the second argument:
>
>
>
> ```
> // Correct
> this.setState((prevState, props) => ({
> counter: prevState.counter + props.increment
> }));
>
> ```
>
> We used an arrow function above, but it also works with regular functions:
>
>
>
> ```
> // Correct
> this.setState(function(prevState, props) {
> return {
> counter: prevState.counter + props.increment
> };
> });
>
> ```
>
>
---
>
> How is prevState.count being defined? It is never set to 0
>
>
>
It is being set to zero in the constructor. The line:
```
this.state = {
count: 0
};
```
is what sets it initially. From that point, the current state (whatever it may be) is passed your `setState` callback function.
*Sorry for the wall, this answer got out of hand before I knew it. Hopefully that helps, LMK if I missed the point or there are more questions*
Upvotes: 3 [selected_answer]<issue_comment>username_3: * The `increaseCount` function need to be an arrow function, since you didn't bind it.
* The `setState` is an async function, it will not execute immoderately after called. So the 2nd `setState` won't execute correctly. In general, it is better to `setState` once on a single event. [Link to doc](https://reactjs.org/docs/react-component.html#setstate)
* `this.setState(function() {})` is valid, but I haven't seen `this.setState({ count: this.state.count }, function() {})` in anywhere in the doc.
To get expected result based on your code, this is the correct pattern:
```
increaseCount = () => {
let countBuffer = this.state.count;
countBuffer++;
countBuffer++;
countBuffer++;
this.setState(prevState => ({ count: countBuffer }));
}
```
This should work, but it's not the preferred method, due to it requires multiple times of unnecessary rendering:
```
increaseCount = async () => {
await this.setState(function(){ return { count: this.state.count + 1 } });
await this.setState({ count: this.state.count + 1 });
this.setState(prevState=>({ count: prevState.count + 1 }));
}
```
Upvotes: 1 |
2018/03/21 | 466 | 1,732 | <issue_start>username_0: I have a form with an input field:
```
```
I was using my own custom autocomplete here which google autofill COVERS and ruins the validation and user experience in my form.
I have tried changing the id to something random id="ASDf" and still google infers the field type by the validation or placeholder. I have tried the autocomplete="off" and "false". Neither do anything. On this page:
<https://www.canadapost.ca/cpotools/apps/fpc/personal/findAnAddress?execution=e1s1>
They have successfully disabled it somehow.
I have tried everything from this page:
[Disabling Chrome Autofill](https://stackoverflow.com/questions/15738259/disabling-chrome-autofill)
And nothing works.<issue_comment>username_1: Ok this worked for me:
```
role="presentation" autocomplete="nope"
```
tested on Chrome Version 64.0.3282.186 (Official Build) (64-bit).
I had to add both of those to each input in question. I also added to the form tag. For this specific version of Chrome the autofill is disabled. I am leaving this here because this is a real pain and ALL the up front solutions in other posts DO NOT work.
Upvotes: 2 <issue_comment>username_2: Solution : Replace 'Name' with your #id.
```
$('#Name').on('mouseup keyup', function () {
var val = $('#Name').val();
val = val.length;
if (val === 0) {
$('#Name').attr('autocomplete', 'on');
}
else {
$('#Name').attr('autocomplete', 'new-password');
}
}).on('mousedown keydown', function () {
var val = $('#Name').val();
var length = val.length;
if (!length) {
$('#Name').attr('autocomplete', 'new-password');
}
})
```
Upvotes: -1 |
2018/03/21 | 491 | 1,848 | <issue_start>username_0: I'm using the LengthAwarePaginator to paginate the results of my collection,
```
$all_products = $all_products->where('scat_id', $sub_category);
$products = $this->manuallyPaginate($all_products);
```
all\_products its the collection of my products, then I used the laravel where method to filtrate, after that manuallyPaginate its executed
```
private function manuallyPaginate($array){
$total = count($array);
$perPage = 15;
$currentPage = Input::get('page', 1);
$paginator = new LengthAwarePaginator($array,
$total,
$perPage,
$currentPage,
['path' => url()->current()]
);
return $paginator;
}
```
This works, but all products are shown in every page instead of 15 per page.
am I missing a parameter to LengthAwarePaginator method?<issue_comment>username_1: Ok this worked for me:
```
role="presentation" autocomplete="nope"
```
tested on Chrome Version 64.0.3282.186 (Official Build) (64-bit).
I had to add both of those to each input in question. I also added to the form tag. For this specific version of Chrome the autofill is disabled. I am leaving this here because this is a real pain and ALL the up front solutions in other posts DO NOT work.
Upvotes: 2 <issue_comment>username_2: Solution : Replace 'Name' with your #id.
```
$('#Name').on('mouseup keyup', function () {
var val = $('#Name').val();
val = val.length;
if (val === 0) {
$('#Name').attr('autocomplete', 'on');
}
else {
$('#Name').attr('autocomplete', 'new-password');
}
}).on('mousedown keydown', function () {
var val = $('#Name').val();
var length = val.length;
if (!length) {
$('#Name').attr('autocomplete', 'new-password');
}
})
```
Upvotes: -1 |
2018/03/21 | 328 | 1,301 | <issue_start>username_0: MQL4 codes are written in C language and basically, there is no method to use error detecting mechanism in C language before executing the code. Is there a special functionality in the Mql4 platform which helps to catch runtime errors before it executes?<issue_comment>username_1: Ok this worked for me:
```
role="presentation" autocomplete="nope"
```
tested on Chrome Version 64.0.3282.186 (Official Build) (64-bit).
I had to add both of those to each input in question. I also added to the form tag. For this specific version of Chrome the autofill is disabled. I am leaving this here because this is a real pain and ALL the up front solutions in other posts DO NOT work.
Upvotes: 2 <issue_comment>username_2: Solution : Replace 'Name' with your #id.
```
$('#Name').on('mouseup keyup', function () {
var val = $('#Name').val();
val = val.length;
if (val === 0) {
$('#Name').attr('autocomplete', 'on');
}
else {
$('#Name').attr('autocomplete', 'new-password');
}
}).on('mousedown keydown', function () {
var val = $('#Name').val();
var length = val.length;
if (!length) {
$('#Name').attr('autocomplete', 'new-password');
}
})
```
Upvotes: -1 |
2018/03/21 | 649 | 2,619 | <issue_start>username_0: I tried to capture Network XHR logs (chrome browser) that generally shows Request(MethodType, Headers, parameters) and Response with Selenium webdriver but i was only able to get api's request that client sent to server(without parameter), while searching i found below code and it only provides me apis request:-
```
LogEntries logEntries = driver.manage().logs().get(LogType.BROWSER);
for (LogEntry entry : logEntries) {
System.out.println(new Date(entry.getTimestamp()) + " " + entry.getLevel() + " " + entry.getMessage())
}
```
But i want to get also all the parameters that sent by client(browser) to server and also response.
\*how the same feature will work for firefox.
Thanks in advance!!<issue_comment>username_1: If you are using a library like Axios to make XHR calls, you can take advantage of *request interceptors* and *response interceptors* as middlewares to intercept and eventually log every XHR call with its response without relying on headless browsers interfaces.
**Request example**
```
client.interceptors.request.use(
req => {
// req contains your request data
},
err => Promise.reject(err),
);
```
**Response example**
```
client.interceptors.response.use(
response => response, // XHR Response
error => {
const originalRequest = error.config; // Error.config contains too the original request
// ...code
})
```
Upvotes: 0 <issue_comment>username_2: You can use [browsermobproxy](https://github.com/lightbody/browsermob-proxy).
Following code snippet captures all request and response logs.
```
// start the proxy
BrowserMobProxy proxy = new BrowserMobProxyServer();
proxy.start(0);
// get the Selenium proxy object
Proxy seleniumProxy = ClientUtil.createSeleniumProxy(proxy);
// configure it as a desired capability
DesiredCapabilities capabilities = new DesiredCapabilities();
capabilities.setCapability(CapabilityType.PROXY, seleniumProxy);
// start the browser up
WebDriver driver = new FirefoxDriver(capabilities);
// enable more detailed HAR capture, if desired (see CaptureType for the complete list)
proxy.enableHarCaptureTypes(CaptureType.REQUEST_CONTENT, CaptureType.RESPONSE_CONTENT);
// create a new HAR with the label "yahoo.com"
proxy.newHar("yahoo.com");
// open yahoo.com
driver.get("http://yahoo.com");
// get the HAR data
Har har = proxy.getHar();
```
The captured response can be viewed by any har viewer.
[](https://i.stack.imgur.com/JwYYh.jpg)
Upvotes: 2 |
2018/03/21 | 708 | 2,806 | <issue_start>username_0: I am using XML DOM techniques to build a pulldown menu in JavaScript.
After I create an node, I append the text that is supposed to appear for that option. The problem I am facing is that when the text contains character entity references (CERs) such as `₂` the & character of the CER is being escaped to `&`, so that the CER and not the character is displayed in the select menu when the menu is outputted to the page for display.
I have tried both of the following methods:
optionNode.appendChild(xmlDoc.createTextNode(label));
and
```
optionNode.textContent = label;
```
And both give the same result. I can work around the problem by doing a global replace of `&` with `&` after I output the XML document to text:
```
var xml = (new XMLSerializer()).serializeToString(xmlDoc);
return xml.replace(/&/g, '&');
```
But I'm sure there must be a way to avoid the escaping in the first place. Is there?<issue_comment>username_1: If you are using a library like Axios to make XHR calls, you can take advantage of *request interceptors* and *response interceptors* as middlewares to intercept and eventually log every XHR call with its response without relying on headless browsers interfaces.
**Request example**
```
client.interceptors.request.use(
req => {
// req contains your request data
},
err => Promise.reject(err),
);
```
**Response example**
```
client.interceptors.response.use(
response => response, // XHR Response
error => {
const originalRequest = error.config; // Error.config contains too the original request
// ...code
})
```
Upvotes: 0 <issue_comment>username_2: You can use [browsermobproxy](https://github.com/lightbody/browsermob-proxy).
Following code snippet captures all request and response logs.
```
// start the proxy
BrowserMobProxy proxy = new BrowserMobProxyServer();
proxy.start(0);
// get the Selenium proxy object
Proxy seleniumProxy = ClientUtil.createSeleniumProxy(proxy);
// configure it as a desired capability
DesiredCapabilities capabilities = new DesiredCapabilities();
capabilities.setCapability(CapabilityType.PROXY, seleniumProxy);
// start the browser up
WebDriver driver = new FirefoxDriver(capabilities);
// enable more detailed HAR capture, if desired (see CaptureType for the complete list)
proxy.enableHarCaptureTypes(CaptureType.REQUEST_CONTENT, CaptureType.RESPONSE_CONTENT);
// create a new HAR with the label "yahoo.com"
proxy.newHar("yahoo.com");
// open yahoo.com
driver.get("http://yahoo.com");
// get the HAR data
Har har = proxy.getHar();
```
The captured response can be viewed by any har viewer.
[](https://i.stack.imgur.com/JwYYh.jpg)
Upvotes: 2 |
2018/03/21 | 1,356 | 4,901 | <issue_start>username_0: hello i'm a beginner in J2EE and web app and i've try to follow a simple get Started from spring (with vaadin for making my UI) <https://spring.io/guides/gs/crud-with-vaadin/>
When i lauch the command spring-boot:run i got the error below :
```
[INFO] --- spring-boot-maven-plugin:2.0.0.RELEASE:run (default-cli) @ SampleJPA_Vaadin ---
[WARNING]
java.lang.NoClassDefFoundError: org/springframework/boot/CommandLineRunner
at java.lang.Class.getDeclaredMethods0(Native Method)
at java.lang.Class.privateGetDeclaredMethods(Class.java:2701)
at java.lang.Class.privateGetMethodRecursive(Class.java:3048)
at java.lang.Class.getMethod0(Class.java:3018)
at java.lang.Class.getMethod(Class.java:1784)
at org.springframework.boot.maven.AbstractRunMojo$LaunchRunner.run(AbstractRunMojo.java:492)
at java.lang.Thread.run(Thread.java:748)
Caused by: java.lang.ClassNotFoundException: org.springframework.boot.CommandLineRunner
at java.net.URLClassLoader.findClass(URLClassLoader.java:381)
at java.lang.ClassLoader.loadClass(ClassLoader.java:424)
at java.lang.ClassLoader.loadClass(ClassLoader.java:357)
... 7 more
[INFO] ------------------------------------------------------------------------
[INFO] BUILD FAILURE
[INFO] ------------------------------------------------------------------------
[INFO] Total time: 2.456 s
[INFO] Finished at: 2018-03-21T20:41:09+01:00
[INFO] Final Memory: 23M/228M
[INFO] ------------------------------------------------------------------------
[ERROR] Failed to execute goal org.springframework.boot:spring-boot-maven-plugin:2.0.0.RELEASE:run (default-cli) on project SampleJPA_Vaadin: An exception occurred while running. org/springframework/boot/CommandLineRunner: org.springframework.boot.CommandLineRunner -> [Help 1]
[ERROR]
[ERROR] To see the full stack trace of the errors, re-run Maven with the -e switch.
[ERROR] Re-run Maven using the -X switch to enable full debug logging.
[ERROR]
[ERROR] For more information about the errors and possible solutions, please read the following articles:
[ERROR] [Help 1] http://cwiki.apache.org/confluence/display/MAVEN/MojoExecutionException
```
After few research on the net it seams that the CommandLineRunner Class isn't in the jar after the compile process.
But i'm not very comfortable with maven and the process of compiling web app.
So if you can explain me or just give me some link for explanation it would be great, thank you .
Here also my pom.xml
```
xml version="1.0" encoding="UTF-8"?
4.0.0
org.metaverse
SampleJPA\_Vaadin
0.0.1-SNAPSHOT
jar
SampleJPA\_Vaadin
Demo project for Spring Boot
org.springframework.boot
spring-boot-starter-parent
2.0.0.RELEASE
UTF-8
UTF-8
1.8
8.3.1
org.springframework.boot
spring-boot-starter-data-jpa
com.vaadin
vaadin-spring-boot-starter
org.springframework.boot
spring-boot-starter-test
test
com.vaadin
vaadin-bom
${vaadin.version}
pom
import
org.springframework.boot
spring-boot-maven-plugin
```<issue_comment>username_1: If you are using a library like Axios to make XHR calls, you can take advantage of *request interceptors* and *response interceptors* as middlewares to intercept and eventually log every XHR call with its response without relying on headless browsers interfaces.
**Request example**
```
client.interceptors.request.use(
req => {
// req contains your request data
},
err => Promise.reject(err),
);
```
**Response example**
```
client.interceptors.response.use(
response => response, // XHR Response
error => {
const originalRequest = error.config; // Error.config contains too the original request
// ...code
})
```
Upvotes: 0 <issue_comment>username_2: You can use [browsermobproxy](https://github.com/lightbody/browsermob-proxy).
Following code snippet captures all request and response logs.
```
// start the proxy
BrowserMobProxy proxy = new BrowserMobProxyServer();
proxy.start(0);
// get the Selenium proxy object
Proxy seleniumProxy = ClientUtil.createSeleniumProxy(proxy);
// configure it as a desired capability
DesiredCapabilities capabilities = new DesiredCapabilities();
capabilities.setCapability(CapabilityType.PROXY, seleniumProxy);
// start the browser up
WebDriver driver = new FirefoxDriver(capabilities);
// enable more detailed HAR capture, if desired (see CaptureType for the complete list)
proxy.enableHarCaptureTypes(CaptureType.REQUEST_CONTENT, CaptureType.RESPONSE_CONTENT);
// create a new HAR with the label "yahoo.com"
proxy.newHar("yahoo.com");
// open yahoo.com
driver.get("http://yahoo.com");
// get the HAR data
Har har = proxy.getHar();
```
The captured response can be viewed by any har viewer.
[](https://i.stack.imgur.com/JwYYh.jpg)
Upvotes: 2 |
2018/03/21 | 704 | 2,244 | <issue_start>username_0: ```
WHERE (internalagentname is not null or internalagentcode is not null)
and (source LIKE '%GETAWAY%' or source like '%VACATION%')
and initialbookingdate <= to_Date(to_char(sysdate-1,'MM/DD/YYYY'),
'MM/DD/YYYY')
and (ABS(total_revenue) + ABS(total_cost) + ABS(booking_adjustment))<>0
```
so, this is my final step query were I am pulling data from yesterdays date. unfortunately its reading this as sysdate - 1 (from current time) so that's why it has data from today current date as well, how can i change this so it only takes out data from 12 am and before? thanks<issue_comment>username_1: You should simply be using the logic:
```
initialbookingdate < trunc(sysdate - 1)
```
The problem is the `<=`. The current time has nothing to do with the issue, because there is no time component in the conversion back to a date. Nevertheless, your expression is way more complex than it needs to be.
Upvotes: 2 <issue_comment>username_2: Saying that you need data that belongs to "yesterday", have a look at this:
```
SQL> select
2 sysdate right_now,
3 trunc(sysdate) todays_midnight,
4 trunc(sysdate - 1) yesterdays_midnight
5 from dual;
RIGHT_NOW TODAYS_MIDNIGHT YESTERDAYS_MIDNIGHT
------------------- ------------------- -------------------
21.03.2018 21:31:46 21.03.2018 00:00:00 20.03.2018 00:00:00
SQL>
```
It means that one option is to select values whose `initialbookingdate` is between "yesterdays\_midnignt" and "todays\_midnight", i.e.
```
where initialbookingdate between trunc(sysdate - 1) and trunc(sysdate)
```
(note that BETWEEN is *inclusive*).
A simpler option, which would ruin index you might have on `initialbookingdate` (so - although simpler, use it with caution. On small data amount you wouldn't see problems, but when handling many rows - yes, you would) is
```
where trunc(initialbookingdate) = trunc(sysdate - 1)
```
Upvotes: 0 <issue_comment>username_3: try to use below code in your query condition,
```
ALTER SESSION SET NLS_DATE_FORMAT = 'MM/DD/YYYY HH:MI:SS AM';
SELECT TRUNC(sysdate)-(.00019/24) date_
FROM dual;
DATE_
----------------------
03/21/2018 11:59:59 PM
```
Upvotes: 0 |
2018/03/21 | 980 | 3,418 | <issue_start>username_0: I am currently having a list of obeject defined as:
```
fun updateList(tools: List, updateTools: List){
... code below
}
```
the `Tool` data class is defined as:
```
data class Tool(
var id: String = ""
var description: String = ""
var assignedTo: String = ""
)
```
the `Updated` data class is defined as:
```
data class Updated(
var id: String = ""
var assignedTo: String = ""
)
```
Basically, I parse the list `updateTools` and if I found a `id` match in `tools`, I update the `assignedTo` field from the `Tool` type object from `tools` by the one from `updateTools`
```
fun updateList(tools: List, updateTools: List){
updateTools.forEach{
val idToSearch = it.id
val nameToReplace = it.name
tools.find(){
if(it.id == idToSearch){it.name=nameToReplace}
}
}
return tools
}
```
it's not working but I do not see how to make it easier to work. I just started kotlin and I feel that it's not the good way to do it
any idea ?
Thanks<issue_comment>username_1: First of all:
* you're not assigning `assignedTo`, you're assigning `name`...
* in the predicate passed to `find`, which
+ should *only* return a `Boolean` value to filter elements, and
+ **should probably not have any side effects**,
+ those should be done later with a call to i.e. `forEach`.
Additionally, your constructor parameters to the data class are normal parameters, and as such, need commas between them!
Your last code block, corrected, would be:
```
updateTools.forEach {
val idToSearch = it.id
val nameToReplace = it.name
tools.find { it.id == idToSearch }.forEach { it.assignedTo = nameToReplace }
}
return tools
```
I'd do it like this (shorter):
```
updateTools.forEach { u -> tools.filter { it.id == u.id }.forEach { it.assignedTo = u.name } }
```
This loops through each update, filters `tools` for tools with the right ID, and sets the name of each of these tools.
I use `forEach` as `filter` returns a `List`.
---
If you can guarantee that `id` is unique, you can do it like this instead:
```
updateTools.forEach { u -> tools.find { it.id == u.id }?.assignedTo = u.name }
```
~~`firstOrNull` returns the first element matching the condition, or `null` if there is none.~~ **Edit:** it seems `find` *is* `firstOrNull` - its implementation just calls `firstOrNull`.
The `?.` safe call operator returns `null` if the left operand is `null`, otherwise, it calls the method.
For `=` and other operators which return `Unit` (i.e. `void`, nothing), using the safe call operator simply does nothing if the left operand is null.
If we combine these, it effectively sets the name of the first element which matches this condition.
Upvotes: 2 <issue_comment>username_2: First, you're missing comma after properties in your data classes, so it should be:
```
data class Tool(
var id: String = "",
var description: String = "",
var assignedTo: String = ""
)
data class Updated(
var id: String = "",
var assignedTo: String = ""
)
```
As for second problem, there're probably number of ways to do that, but I've only corrected your idea:
```
fun updateList(tools: List, updateTools: List): List {
updateTools.forEach{ ut ->
tools.find { it.id == ut.id }?.assignedTo = ut.assignedTo
}
return tools
}
```
Instead of assigning values to variables, you can name parameter for `forEach` and use it in rest of the loop.
Upvotes: 0 |
2018/03/21 | 737 | 2,688 | <issue_start>username_0: I'm trying to upload my ssl certificate bought from GoDaddy to azure, but custom SSL is not supported in the Free or Shared tier. Do I really need to scale up my plan to Basic in order to install ssl in azure? Has anyone faced this before?<issue_comment>username_1: First of all:
* you're not assigning `assignedTo`, you're assigning `name`...
* in the predicate passed to `find`, which
+ should *only* return a `Boolean` value to filter elements, and
+ **should probably not have any side effects**,
+ those should be done later with a call to i.e. `forEach`.
Additionally, your constructor parameters to the data class are normal parameters, and as such, need commas between them!
Your last code block, corrected, would be:
```
updateTools.forEach {
val idToSearch = it.id
val nameToReplace = it.name
tools.find { it.id == idToSearch }.forEach { it.assignedTo = nameToReplace }
}
return tools
```
I'd do it like this (shorter):
```
updateTools.forEach { u -> tools.filter { it.id == u.id }.forEach { it.assignedTo = u.name } }
```
This loops through each update, filters `tools` for tools with the right ID, and sets the name of each of these tools.
I use `forEach` as `filter` returns a `List`.
---
If you can guarantee that `id` is unique, you can do it like this instead:
```
updateTools.forEach { u -> tools.find { it.id == u.id }?.assignedTo = u.name }
```
~~`firstOrNull` returns the first element matching the condition, or `null` if there is none.~~ **Edit:** it seems `find` *is* `firstOrNull` - its implementation just calls `firstOrNull`.
The `?.` safe call operator returns `null` if the left operand is `null`, otherwise, it calls the method.
For `=` and other operators which return `Unit` (i.e. `void`, nothing), using the safe call operator simply does nothing if the left operand is null.
If we combine these, it effectively sets the name of the first element which matches this condition.
Upvotes: 2 <issue_comment>username_2: First, you're missing comma after properties in your data classes, so it should be:
```
data class Tool(
var id: String = "",
var description: String = "",
var assignedTo: String = ""
)
data class Updated(
var id: String = "",
var assignedTo: String = ""
)
```
As for second problem, there're probably number of ways to do that, but I've only corrected your idea:
```
fun updateList(tools: List, updateTools: List): List {
updateTools.forEach{ ut ->
tools.find { it.id == ut.id }?.assignedTo = ut.assignedTo
}
return tools
}
```
Instead of assigning values to variables, you can name parameter for `forEach` and use it in rest of the loop.
Upvotes: 0 |
2018/03/21 | 879 | 3,113 | <issue_start>username_0: I have a df structured with the following columns:
`RowID, UserID, Event`
There are multiple rows per userID and many different user IDs. Event will be a whole number >=0.
I need R to look for the MAXIMUM row ID where the event for a specific user ID is greater than 0 and then label any ensuing rows for that userID as "after" in a new column (else, label it "before").
Example:
```
rowID, userID, event, output
1, 999, 0, before
2, 999, 1, before
3, 999, 0, after
```
I'm totally new to R so not even sure where to start to achieve this. I know how to do it just fine in Excel but my CSV is too large to do the calculation.
Thanks in advance.<issue_comment>username_1: First of all:
* you're not assigning `assignedTo`, you're assigning `name`...
* in the predicate passed to `find`, which
+ should *only* return a `Boolean` value to filter elements, and
+ **should probably not have any side effects**,
+ those should be done later with a call to i.e. `forEach`.
Additionally, your constructor parameters to the data class are normal parameters, and as such, need commas between them!
Your last code block, corrected, would be:
```
updateTools.forEach {
val idToSearch = it.id
val nameToReplace = it.name
tools.find { it.id == idToSearch }.forEach { it.assignedTo = nameToReplace }
}
return tools
```
I'd do it like this (shorter):
```
updateTools.forEach { u -> tools.filter { it.id == u.id }.forEach { it.assignedTo = u.name } }
```
This loops through each update, filters `tools` for tools with the right ID, and sets the name of each of these tools.
I use `forEach` as `filter` returns a `List`.
---
If you can guarantee that `id` is unique, you can do it like this instead:
```
updateTools.forEach { u -> tools.find { it.id == u.id }?.assignedTo = u.name }
```
~~`firstOrNull` returns the first element matching the condition, or `null` if there is none.~~ **Edit:** it seems `find` *is* `firstOrNull` - its implementation just calls `firstOrNull`.
The `?.` safe call operator returns `null` if the left operand is `null`, otherwise, it calls the method.
For `=` and other operators which return `Unit` (i.e. `void`, nothing), using the safe call operator simply does nothing if the left operand is null.
If we combine these, it effectively sets the name of the first element which matches this condition.
Upvotes: 2 <issue_comment>username_2: First, you're missing comma after properties in your data classes, so it should be:
```
data class Tool(
var id: String = "",
var description: String = "",
var assignedTo: String = ""
)
data class Updated(
var id: String = "",
var assignedTo: String = ""
)
```
As for second problem, there're probably number of ways to do that, but I've only corrected your idea:
```
fun updateList(tools: List, updateTools: List): List {
updateTools.forEach{ ut ->
tools.find { it.id == ut.id }?.assignedTo = ut.assignedTo
}
return tools
}
```
Instead of assigning values to variables, you can name parameter for `forEach` and use it in rest of the loop.
Upvotes: 0 |
2018/03/21 | 1,036 | 3,035 | <issue_start>username_0: An array shows 3 numbers randomly, and I had to write a code that sums the 3 numbers, but the array has a trick to sometimes show a string:
```
[96, ".!asd", 182]
["@#$%", 5, 43]
[64, "bd", 48]
```
I would like to use an "if" that would return "not valid" if there's a string in the array.
```
if (...){
return not valid
}
```
Please, if there's a way to identify any string, could you tell me the code?<issue_comment>username_1: You can use isNaN to determine if a stirng is a number
```
isNaN('123') //false
isNaN('Hello') //true
```
Upvotes: 1 <issue_comment>username_2: Use the object **[`Number`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Number/isNaN)**:
```
if (Number.isNaN(+element_in_array)) return "Not Valid!!"
```
```js
function sum(array) {
if (array.some((n) => Number.isNaN(+n))) {
return "Invalid data, at least one element is not a number.";
}
return array.reduce((a, n) => a + Number(n), 0);
}
console.log(sum([96, ".!asd", 182]))
console.log(sum(["@#$%", 5, 43]))
console.log(sum([64, "bd", 48]))
console.log(sum([64, 44, 48]))
```
Upvotes: 1 <issue_comment>username_3: You should use the `isNaN` function as it is explained here : [Is there a (built-in) way in JavaScript to check if a string is a valid number?](https://stackoverflow.com/questions/175739/is-there-a-built-in-way-in-javascript-to-check-if-a-string-is-a-valid-number)
```
isNaN(123) // false
isNaN('123') // false
isNaN('1e10000') // false (This translates to Infinity, which is a number)
isNaN('foo') // true
isNaN('10px') // true
```
Upvotes: 1 <issue_comment>username_4: You can use [`Array.prototype.some()`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/some) to see if your array contains NaN's
```js
var x = [96, ".!asd", 182]
var y = [96, 1000, 182]
console.log(x.some(isNaN))
console.log(y.some(isNaN))
```
Upvotes: 2 <issue_comment>username_5: You could use `NaN` to determine if all elements are numbers by using an unary plus to convert the string to number. If succeed, you get a number for summing, if not then `NaN` is returned and summed. A single `NaN` spoils the result and the result is `NaN`.
```js
function not(fn) {
return function (v) {
return !fn(v);
};
}
function sum(array) {
return array.reduce((a, b) => +a + +b);
}
console.log([[96, ".!asd", 182], ["@#$%", 5, 43], [64, "bd", 48], [2, 3, 5]].map(sum).filter(not(isNaN)));
```
Upvotes: 0 <issue_comment>username_6: You can use `if type(x) == str` to check if a variable x is of type String. It is a built-in function. Please refer to official python documentation to know more.
<https://docs.python.org/3/library/functions.html#type>
Upvotes: -1 <issue_comment>username_7: try using *typeof* to validate wether or not you are dealing with a string.[mdn typeof](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/typeof)
Upvotes: -1 |
2018/03/21 | 1,184 | 3,502 | <issue_start>username_0: This is my object:
```
const ELEMENT_DATA: Element[] = [
{id: 1, name: 'Hydrogen', symbol: 'H'},
{id: 2, name: 'Hydrogen', symbol: 'H1'},
{id: 3, name: 'Helium', symbol: 'He'}
];
```
which is displayed in datatable with *Edit* buttons, like so:
When I click *Edit* (for example I clicked *Hydrogen*) it should populate with
`name: 'Hydrogen', symbol: 'H'`.
But now I am getting the *Symbol List* dropdown empty.
[Demo](https://stackblitz.com/edit/angular-talrct-s4w99a?file=app%2Ftable-basic-example.ts)
When I click the Add button, a pop up will come with two dropdowns: *Element List* and *Symbol List*. Based on the *Element* name Symbol List will come.
Now when I click the Edit button in datatable, that should populate that particular row in the popup. How can I do this?
**html**
```
{{ element.name }}
{{ element.symbol }}
Cancel
Add
```<issue_comment>username_1: You can use isNaN to determine if a stirng is a number
```
isNaN('123') //false
isNaN('Hello') //true
```
Upvotes: 1 <issue_comment>username_2: Use the object **[`Number`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Number/isNaN)**:
```
if (Number.isNaN(+element_in_array)) return "Not Valid!!"
```
```js
function sum(array) {
if (array.some((n) => Number.isNaN(+n))) {
return "Invalid data, at least one element is not a number.";
}
return array.reduce((a, n) => a + Number(n), 0);
}
console.log(sum([96, ".!asd", 182]))
console.log(sum(["@#$%", 5, 43]))
console.log(sum([64, "bd", 48]))
console.log(sum([64, 44, 48]))
```
Upvotes: 1 <issue_comment>username_3: You should use the `isNaN` function as it is explained here : [Is there a (built-in) way in JavaScript to check if a string is a valid number?](https://stackoverflow.com/questions/175739/is-there-a-built-in-way-in-javascript-to-check-if-a-string-is-a-valid-number)
```
isNaN(123) // false
isNaN('123') // false
isNaN('1e10000') // false (This translates to Infinity, which is a number)
isNaN('foo') // true
isNaN('10px') // true
```
Upvotes: 1 <issue_comment>username_4: You can use [`Array.prototype.some()`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/some) to see if your array contains NaN's
```js
var x = [96, ".!asd", 182]
var y = [96, 1000, 182]
console.log(x.some(isNaN))
console.log(y.some(isNaN))
```
Upvotes: 2 <issue_comment>username_5: You could use `NaN` to determine if all elements are numbers by using an unary plus to convert the string to number. If succeed, you get a number for summing, if not then `NaN` is returned and summed. A single `NaN` spoils the result and the result is `NaN`.
```js
function not(fn) {
return function (v) {
return !fn(v);
};
}
function sum(array) {
return array.reduce((a, b) => +a + +b);
}
console.log([[96, ".!asd", 182], ["@#$%", 5, 43], [64, "bd", 48], [2, 3, 5]].map(sum).filter(not(isNaN)));
```
Upvotes: 0 <issue_comment>username_6: You can use `if type(x) == str` to check if a variable x is of type String. It is a built-in function. Please refer to official python documentation to know more.
<https://docs.python.org/3/library/functions.html#type>
Upvotes: -1 <issue_comment>username_7: try using *typeof* to validate wether or not you are dealing with a string.[mdn typeof](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/typeof)
Upvotes: -1 |
2018/03/21 | 1,158 | 4,293 | <issue_start>username_0: I have the following method :
```
public void scrollToVisibleInstructionBlock(JTable table, int rowIndex, int sizeOfBlock) {
if (!(table.getParent() instanceof JViewport))
return;
JViewport viewport = (JViewport) table.getParent();
Rectangle rect = table.getCellRect(rowIndex, 0, true);
Point pt = viewport.getViewPosition();
rect.setLocation(rect.x - pt.x, rect.y - pt.y);
viewport.scrollRectToVisible(rect);
table.setRowSelectionInterval(rowIndex, rowIndex + sizeOfBlock - 1);
}
```
The functionality is nice but not optimal. I input the row to scroll to, it selects sizOfBlock rows and brings them into perception.
The problem is that the rows are always visible at the bottom of the table. For example:
[](https://i.stack.imgur.com/HrM47.png)
As you can see, the selected row is at the bottom of the table. How could I perhaps bring the selected row to the top or middle?
Thanks<issue_comment>username_1: You could just increase the row index when calling `getCellRect`. After checking the row count of course.
```
public void scrollToVisibleInstructionBlock(JTable table, int rowIndex, int sizeOfBlock) {
if (!(table.getParent() instanceof JViewport))
return;
JViewport viewport = (JViewport) table.getParent();
// bottom of selection is 5 rows above bottom of scrollpane
int delta = 5;
if ((rowIndex + (sizeOfBlock-1) + delta) >= table.getRowCount())
delta = 0;
else
delta = delta + (sizeOfBlock-1);
Rectangle rect = table.getCellRect(rowIndex+delta, 0, true);
Point pt = viewport.getViewPosition();
rect.setLocation(rect.x - pt.x, rect.y - pt.y);
viewport.scrollRectToVisible(rect);
table.setRowSelectionInterval(rowIndex, rowIndex + sizeOfBlock - 1);
}
```
You should also take into account the `sizeOfBlock` parameter. And perhaps the size of the scrollpane if you want the selection centered.
Upvotes: 0 <issue_comment>username_2: ```
JViewport viewport = (JViewport) table.getParent();
Rectangle rect = table.getCellRect(rowIndex, 0, true);
Point pt = viewport.getViewPosition();
rect.setLocation(rect.x - pt.x, rect.y - pt.y);
viewport.scrollRectToVisible(rect);
```
I always use scrollRectTovisible(...) on the component you want to scroll:
```
Rectangle rect = table.getCellRect(rowIndex, 0, true);
table.scrollRectToVisible(rect);
```
If the row is below the current viewport position then you will be scrolled to the bottom.
If the row is above the current viewport position then you will be scrolled to the top.
If the rectangle is in the current viewport then no scrolling is done.
Doesn't really help solve your problem, just explains how scrollRectToVisible() works.
You can affect scrolling by increasing the "visible Rectangle" size. For example:
```
Rectangle rect = table.getCellRect(rowIndex, 0, true);
rect.height = rect.height + (table.getRowHeight() * 4);
table.scrollRectToVisible(rect);
```
Now the selected row should be 4 lines from the bottom when scrolling down. Doesn't really help when scrolling up as the selected row will be at the top.
>
> How could I perhaps bring the selected row to the middle?
>
>
>
To position the selected row in the middle you would want to play with the viewport position directly to calculate the middle position in the viewport for the selected row:
```
JViewport viewport = (JViewport) table.getParent();
Rectangle r = table.getCellRect(rowIndex, 0, true);
int extentHeight = viewport.getExtentSize().height;
int viewHeight = viewport.getViewSize().height;
int y = Math.max(0, r.y - ((extentHeight - r.height) / 2));
y = Math.min(y, viewHeight - extentHeight);
viewport.setViewPosition(new Point(0, y));
```
Upvotes: 2 [selected_answer]<issue_comment>username_3: It's very easy, JTable has scrollRectToVisible method too. If you want, you can try something like this to make scrollpane go to to the bottom if a new record is added
```
jTable1.getSelectionModel().setSelectionInterval(i, i);
jTable1.scrollRectToVisible(new Rectangle(jTable1.getCellRect(i, 0, true)));
```
Where i is last added record.
To scroll column replace 2nd parameter of getCellRect with your column index.
Upvotes: 0 |
2018/03/21 | 423 | 1,593 | <issue_start>username_0: I seem to be having a problem opening an excel file with a relative path in visual studio. The file is being saved to:
```
C:\Users\UserName\Documents\Filename.xls
```
on any machine. I have tried using:
```
Process.Start(@"~\Documents\Filename.xls");
```
to open the excel file, but it throws an error saying the file location cannot be found. Is there something I am doing wrong? Thank you in advance.<issue_comment>username_1: '~' is not a valid path identifier in Windows (It does refer to the home directory on \*nix). I am not sure what you are trying to achieve, but perhaps you want SpecialFolder [see description here at MSDN](https://msdn.microsoft.com/en-us/library/system.environment.specialfolder(v=vs.110).aspx)?
```
var path = Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments);
```
Will return: C:\Users\'UserName'\Documents\
Upvotes: 0 <issue_comment>username_2: The '~' character is used in Linux.
With the following code you can obtain the path for special folders:
```
Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments)
```
The MyDocuments can be replaced for other Windows specific folder like:
* UserProfile
* MyPictures
* Desktop
Upvotes: 2 <issue_comment>username_3: You could use combine to get the full path
```
var folderPath = Environment.GetFolderPath(Environment.SpecialFolder.MyDocuments);
var fullPath.Combine(folderPath, "filename.xls");
Process.Start(fullPath);
```
If you know the relative path to the working folder use
```
var fullPath = Path.GetFullPath(relPath);
```
Upvotes: 0 |
2018/03/21 | 812 | 3,258 | <issue_start>username_0: How to restrict Matcher in java to match only desired String ? Following is the code I have tried, however the expected match should be like "Invoice Received" but it is printing only "Invoice" on console.
```
import java.util.ArrayList;
import java.util.List;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
public class JavaTest {
public static void main(String[] args) {
// TODO Auto-generated method stub
List actionList = new ArrayList();
actionList.add("Invoice");
actionList.add("Invoice Received");
List notes = new ArrayList();
notes.add("Invoice Received123");
for (String note : notes) {
for (String action : actionList) {
Pattern pattern = Pattern.compile(action);
Matcher matcher = pattern.matcher(note);
if(matcher.find()) {
System.out.println("Update History As : "+action);
}
}
}
}
}
```<issue_comment>username_1: ```
if(matcher.find()) {
System.out.println("Update History As : "+action);
break;
}
```
This is breaking your code. Literally. The `break` statement exits the inner `for` loop when there is a pattern match. As a result, `Invoice Recieved` never has a chance to be matched.
Originally this was the interpreted issue, but the question has since become about flow control for this particular problem. As a suggested solution, here is an example of the `Note` object *without* polymorphism, but rather a control code.
```
public class Note {
public static final int INVOICE = 1;
public static final int INVOICE_RECEIVED = 2;
public int noteType;
public String userText;
public Note(int noteType, String userText) {
this.noteType = noteType;
this.userText = userText;
}
public void doSomething() {
switch(noteType) {
case INVOICE:
// do something with the INVOICE type
break;
case INVOICE_RECEIVED:
// do something with the INVOICE_RECEIVED type
break;
}
}
}
```
Then, you can then create a Invoice Received `Note` object by `Note newNote = new Note(Note.INVOICE_RECEIVED, "this is some user text");` and add them to a list, similar to what you are doing, and handle them accordingly. Depending on the amount of notes you have, a polymorphic design might be better, or at least cleaner. But this is the way of doing it using control codes.
Upvotes: 1 <issue_comment>username_2: You'll need to order the patterns that you are looking for so that prefixes of one pattern always come after that pattern. In concrete term:
```
List actionList = new ArrayList();
actionList.add("Invoice Received"); /\* Make this take precedence... \*/
actionList.add("Invoice"); /\* ... over this. \*/
```
Then put the `break` back into your match case, or every "Invoiced Received" note will also be handled as an "Invoice" note too:
```
if(matcher.find()) {
System.out.println("Update History As : "+action);
break;
}
```
In general this sort of system will be very susceptible to bugs. If you have any control over the input to this process, modify it so that the note type is explicit, instead of guessed from its content.
Upvotes: 0 |
2018/03/21 | 1,052 | 3,132 | <issue_start>username_0: Below is my query, I am fairly new to sql so my understanding is not the best. I want my query results to only give me the names I specify within my 'where' statement. Below in my query there are 4 activity names, 1 team name, and 1 date range ( 3 different colums, the 4 activities are found in the column 'name'). It has to match all these conditions.
My query works up until the second name that I specify within my 'where' statement.
Query:
```
SELECT *
FROM databse1.dbo.table1
where team_name = 'CTM Tier 2'
and date >= '2018-02-01' and date <= '2018-02-28'
and name = 'Post Vet 460'
and name = 'Post Vet CA Complex'
and name = 'Post Vet CA Standard'
and name = 'Post Vet CAA'
```
There query runs fine up until (and name = 'Post Vet 460'), but if I run the query as a whole it gives me blank results. Am I supposed to use a case when statement in this situation, all suggestions and tips are greatly appreciated thanks!<issue_comment>username_1: it can't be all those at once, so use the in operator
```
and name in ('Post Vet 460', 'Post Vet CA Complex', 'Post Vet CA Standard', 'Post Vet CAA')
```
Upvotes: 2 <issue_comment>username_2: I think you want `IN`:
```
select t1.*
from databse1.dbo.table1 t1
where team_name = 'CTM Tier 2' and
date >= '2018-02-01' and date <= '2018-02-28' and
name in ('Post Vet 460', 'Post Vet CA Complex', 'Post Vet CA Standard', 'Post Vet CAA');
```
Your query returns nothing, because `name` cannot have *different* values on the *same* row.
You might also want `like`, depending on what your data looks like:
```
select t1.*
from databse1.dbo.table1 t1
where team_name = 'CTM Tier 2' and
date >= '2018-02-01' and date <= '2018-02-28' and
name like 'Post Vet %'
```
Upvotes: 1 <issue_comment>username_3: Now try this query !
you need to find any row having either one of these name .so need to use OR condition .
```
SELECT *
FROM databse1.dbo.table1
where team_name = 'CTM Tier 2'
and date >= '2018-02-01' and date <= '2018-02-28'
and
( name = 'Post Vet 460'
or name = 'Post Vet CA Complex'
or name = 'Post Vet CA Standard'
or name = 'Post Vet CAA'
)
```
Upvotes: 0 <issue_comment>username_4: The problem you are facing is because you are using the `AND` operator.
You should use the `OR` operator, instead.
Here's the correct implementation:
```
WHERE team_name = 'CTM Tier 2'
AND date >= '2018-02-01' AND date <= '2018-02-28'
AND name = 'Post Vet 460'
OR name = 'Post Vet CA Complex'
OR name = 'Post Vet CA Standard'
OR name = 'Post Vet CAA'
```
As pointed out by others you can also use `IN`.
```
WHERE team_name = 'CTM Tier 2'
AND date >= '2018-02-01' AND date <= '2018-02-28'
AND name IN ('Post Vet 460', 'Post Vet CA Complex', 'Post Vet CA Standard', 'Post Vet CAA')
```
If you want to read more about `IN` and the differences with `OR`, [have a look here](https://stackoverflow.com/questions/3074713/in-vs-or-in-the-sql-where-clause).
Upvotes: 0 |
2018/03/21 | 1,118 | 3,467 | <issue_start>username_0: So lets say I have text file that looks like this
```none
new york
new jersey
florida
South Carolina
```
I'm going to append `california` to it, but when I do it ends up looking like this:
```none
new york
new jersey
florida
South Carolinacalifornia
```
How can I make it so it appends to a new line? I thought about just making a new line before the appending of california but then every time I run the script it'll just have gaps between the lines because of the new line<issue_comment>username_1: Presumably your file is a list of states all on their own line. Your issue appears to be that the line: "South Carolina", is missing a newline character at the end, which is inconsistent with the rest of your data.
This is a data issue. With hidden characters shown your data looks like this:
`new york\n
new jersey\n
florida\n
South Carolina`
When it should look like this:
`new york\n
new jersey\n
florida\n
South Carolina\n`
In a scenario like this where your data is inconsistent the best way to programmatically fix it is to check if the file ends in a newline, and if not, append one.
Upvotes: 2 <issue_comment>username_2: As mentioned by Dkwan33 this might be data issue. You can use "od" command to run and see if every line is ending with \n or not.
```
od -bc data.txt
0000000 156 145 167 040 171 157 162 153 012 156 145 167 040 152 145 162
n e w y o r k \n n e w j e r
0000020 163 145 171 012 146 154 157 162 151 144 141 012 123 157 165 164
s e y \n f l o r i d a \n S o u t
0000040 150 040 103 141 162 157 154 151 156 141 012
h C a r o l i n a \n
0000053
```
If you want to handle it via Perl then I would suggest you to first do the "chomp" on each line and then print that line with \n.
Upvotes: -1 <issue_comment>username_3: The issue is that the final line of your original file isn't terminated with a newline. If its contents are within your control then the best solution is simply to ensure that every line printed to the file is properly terminated, but if you have to deal with malformed data then there are a few options
The first, as people have said, is to read the entire file into memory, remove any existing terminators with `chomp`, and print them back out to the file with the correct newline after all of them
If your file is of any significant size then this approach is wasteful. You may avoid the rewriting by reading the last character of the file and checking whether it is a newline as required. Then, when the file is opened for appending, you can first add a newline if it was originally missing, followed by the new data record. That would look like this
The `seek` call is used to move the read position to just before the last character, then `<$fh>` will read the final character which can be compared to `"\n"` to establish whether the file is properly terminated
Note that, if there is any chance that the file is completely empty or non-existent before your program runs, then you will have to code for the case where the `open` fails or the `<$fh>` returns `undef`
```
use strict;
use warnings 'all';
use autodie;
use Fcntl ':seek';
my ($file) = @ARGV;
my $terminated = do {
open my $fh, '<', $file;
seek $fh, -1, SEEK_END;
<$fh> eq "\n";
};
open my $fh, '>>', $file;
print $fh "\n" unless $terminated;
print $fh "california\n";
close $fh;
```
Upvotes: 1 |
2018/03/21 | 685 | 2,587 | <issue_start>username_0: I was having trouble trying assign variables declared in a class value outside of the class in functions. Example below:
```
class player {
public:
string playerWeapon;
void setWeapon();
}
```
Then maybe outside the header file where this is declared in the cpp file:
```
void player::setWeapon(){
player playerobj;
int playerWeaponInt;
cout << "choose Number" << endl
<< "'1' for gun" << endl
<< "'2' for axe" << endl;
cin >> playerWeaponInt;
```
Then I tried an if statement to assign the number to a string that can be put into the variable:
```
if(playerWeaponInt == 1){
playerobj.playerWeapon = "gun";
else if (playerWeaponInt == 2){
playerobj.playerWeapon = "axe"
}
```
But hwenever i try to display it later in the program the variable is empty and nothing is display. Can anyone help me out
EDIT: Here is an extra piece of code so it will compile
```
player playerObj;
main(){
playerObj.setWeapon;
}
```<issue_comment>username_1: The problem is the first code line inside `setWeapon`:
```
player playerobj;
```
that will create **another player object**. Apparently instead you want to set the current weapon of the current player, the code should be:
```
void player::setWeapon(){
cout << "choose Number" << endl
<< "'1' for gun" << endl
<< "'2' for axe" << endl;
cin >> playerWeaponInt;
if(playerWeaponInt == 1){
playerWeapon = "gun"; // NOTE: no "playerobj."
} else if (playerWeaponInt == 2){
playerWeapon = "axe";
}
}
```
when a method is executed there is an implicit object pointed by `this`.
When you say `playerWeapon` in a method it's intended that you mean
`this->playerWeapon`.
Upvotes: 2 <issue_comment>username_2: First, you shouldn't expose the internal represenatation of your `class player` by making it's internal data `playerWeapon`. Better make a method to set and make the data private. Proposal:
```
class player {
public:
void setPlayerWeapon(const string &playerWeapon);
void setWeapon();
private:
string playerWeapon;
}
```
Next, where do you want to display the content of playerobj.playerWeapon? As `player::setWeapon` has ist own object `playerobj` which will be destructed when leaving the method you can only display it inside the current method call. Probably this is not what you wanted to do. I assume you wanted to set `playerWeapon` of your current object. If so, just remove the auxillary object
`player playerobj`from the method and assign the weapon string directly to the objects member variable.
Upvotes: 0 |
2018/03/21 | 465 | 1,371 | <issue_start>username_0: I am using Angular4 and currently started exploring Services of Angular4. I have done everything right in my dataServices class but still i am getting this error in argument of`observer.next(1);`\
Please tell me where i am wrong.
**Error:**
```
Argument of type '1' is not assignable to parameter of type 'number[]'
```
**data.service.ts:**
>
>
> ```
> import { Injectable } from '@angular/core';
> import { Observable } from 'rxjs/Observable';
>
>
> @Injectable()
>
> export class DataService{
> data: Observable>;
>
> constructor(){
>
> }
> getData(){
> this.data = new Observable(observer =>{
> setTimeout(() =>{
> observer.next(1);
> }, 1000);
>
> setTimeout(() =>{
> observer.next(2);
> }, 2000);
>
> setTimeout(() =>{
> observer.next(3);
> }, 3000);
>
> setTimeout(() =>{
> observer.next('Hello');
> }, 4000);
>
> setTimeout(() =>{
> observer.complete();
> }, 5000);
> });
>
> return this.data;
> }
> }
>
> ```
>
><issue_comment>username_1: this.data is an Array of numbers, not a single number. Push your values to this.data instead.
Upvotes: 2 <issue_comment>username_2: You wrote this type for `data`:
```
data: Observable>;
```
But you're trying to pass a `number`, not an array of numbers. So you can just change the type of `data`:
```
data: Observable;
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 439 | 1,679 | <issue_start>username_0: I am creating a note system and want my notes to be editable, but also want them to never be deleted so I'm compromising with keeping a history of the different changes made to them. So I have come up with one idea where each note table looks like this:
```
Note
--------
+id
+content
+author
+timestamp
+edited
```
in this version if edited is anything other than null the note has been edited and points to the `note id` of its ancestor. It is essentially a linked list. I'm not very happy with that though as most notes won't be edited so there's just a bunch of nulls sitting around.
my other idea was to create a table like:
```
Note
-------
+id
+content
+author
+timestamp
```
and also a table like:
```
Edited_Notes
-----------
+id
+note_id
```
then whenever a note is loaded just see if it's been added to `Edited_Notes`. If it has been, then obviously it's been edited. I'm worried that searching through this table every time a note is opened by hundreds of users could be taxing for the database though, especially if I add an ability to see all note history for a single note at once.
I am not a db designer so this is pretty new to me. Would these kinds of transactions even scratch a databases capabilities? Is there a better way to go about it?<issue_comment>username_1: this.data is an Array of numbers, not a single number. Push your values to this.data instead.
Upvotes: 2 <issue_comment>username_2: You wrote this type for `data`:
```
data: Observable>;
```
But you're trying to pass a `number`, not an array of numbers. So you can just change the type of `data`:
```
data: Observable;
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 255 | 1,275 | <issue_start>username_0: is there an easy way to change the colour of every second row
I tried this but unfortunately it is not working.
```
new SimpleAdapter(Activity.this,
listElements,
R.layout.list,
new String[]{"dt", CONTENT, TIMESTAMP},
new int[]{R.drawable.dt, R.id.content, R.id.timestamp}){
public View getView(int position, View v, ViewGroup parent) {
if (position%2 == 0) {
v.setBackgroundColor(920000);
} else {
}
return v;
}
}
);
```<issue_comment>username_1: this.data is an Array of numbers, not a single number. Push your values to this.data instead.
Upvotes: 2 <issue_comment>username_2: You wrote this type for `data`:
```
data: Observable>;
```
But you're trying to pass a `number`, not an array of numbers. So you can just change the type of `data`:
```
data: Observable;
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 428 | 1,665 | <issue_start>username_0: I want to sort data in a worksheet, which gets new rows daily, in a second worksheet.
The problem is, if I use the SMALL()-function and fill the cells automatically till the last row (A102482 or something like that), my file gets very huge and laggy (>20mb).
Of course the person adding a new line could expand the formula in the second worksheet into a new row, but this is not userfriendly at all!
What would be the best solution? I thought about vba-code, which counts the entries in the first worksheet, and then runs a code like this
```
for (i to numberrows; i++) { SMALL(A + i + 2*3, i) }
```
filling the first few rows in the second worksheet so the excel-file doesn't get too big...
Thanks in advance!
Edit.:
To be more specific:
What I'm asking excel to do is copy a worksheet and have the rows sorted on the second worksheet. And as the table expends, of course the sorted table has more values. This process should be done automatically, with the user only entering new data in the first worksheet and seeing the results in the second worksheet. Having the second worksheet's cells all already populates witht the SMALL() function is not an option, as this would work in my case, but this is way too slow and the files get too big...<issue_comment>username_1: this.data is an Array of numbers, not a single number. Push your values to this.data instead.
Upvotes: 2 <issue_comment>username_2: You wrote this type for `data`:
```
data: Observable>;
```
But you're trying to pass a `number`, not an array of numbers. So you can just change the type of `data`:
```
data: Observable;
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 676 | 2,229 | <issue_start>username_0: I'm trying to create an array of 18 elements of BYTE whit calloc but don't know why calloc only give me back only 8 elements, I did it manually in the stack and the program works.
```
int arrsize;
BYTE copyrow[18];
arrsize = sizeof(copyrow);
```
When i compile here arrsize = to 18, so, evrething is fine.
But when I use calloc:
```
int arrsize;
BYTE *copyrow;
copyrow = calloc(18, sizeof(BYTE));
arrsize = sizeof(copyrow);
```
Now the compiler say arrsize = to 8, so I don't know what's happening here. Need help.<issue_comment>username_1: When you define `BYTE *copyrow;`, `copyrow` is a pointer, and the size of a pointer is `8` on a 64 bit architecture, regardless how "big" the memory block to which it points is.
`BYTE copyrow[18];`, in constrast, is an array of 18 `BYTE`-elements, and the size of such an array is `18 * sizeof(BYTE)`.
You could do it this way:
```
int nrOfElements = 18; // could be dynamically set as well.
BYTE *copyrow = calloc(nrOfElements, sizeof(BYTE));
int arrsize = sizeof(BYTE) * nrOfElements;
```
Upvotes: 2 <issue_comment>username_2: **Array and pointer are different things.**
In many cases array will decay to a pointer, but they are essentially different.
```
BYTE copyrow[18];
arrsize = sizeof(copyrow);
```
Here `sizeof` shows the size of the whole array, which is `18 * sizeof(BYTE)`.
```
BYTE *copyrow;
arrsize = sizeof(copyrow);
```
Here `sizeof` shows the size of a pointer, which has nothing to do with what it points to.
Upvotes: 1 <issue_comment>username_3: To me, this was also a confusing topic when I started of with C. It seemed like `sizeof()` were implemented differently depending on what the argument was.
`sizeof()` is in most cases evaluated at compile time and the only reason `int a[n]; sizeof(a);` works is because all the information needed to figure out its size is present at compile time.
```
BYTE copyrow[18];
arrsize = sizeof(copyrow);
```
Is (as pointed out by others) interpreted as...
```
BYTE copyrow[18];
arrsize = sizeof(BYTE)*18;
```
...by the compiler. Hence the dynamic case would look the same:
```
BYTE *copyrow;
copyrow = (BYTE*) calloc(18, sizeof(BYTE));
arrsize = sizeof(BYTE)*18;
```
Upvotes: 0 |
2018/03/21 | 207 | 766 | <issue_start>username_0: I have a label thats a button. I need to be able to disable it. ng-dialog doesnt work. If i use ng-diable it shows disabled, but the button is still functional. Which is bad. The label button is still clickable. Yes, i could use a regular button, but for this situation I need to use the label button.
```
Import History
```
Is there a way to disable the label button so its not clickable?<issue_comment>username_1: You could use CSS to make the label not clickable.
Upvotes: 2 [selected_answer]<issue_comment>username_2: You can add this bit of CSS that looks for the "disabled" data attribute ng-disabled is adding. Here is an example:
```css
label[disabled]{
pointer-events:none;
}
```
```html
Try to click me!
```
Upvotes: 0 |
2018/03/21 | 617 | 1,978 | <issue_start>username_0: PySerial 3.4 will not importing with python 3.6.4. Also 3.5 or later. It works fine in python 2.7. Im out of ideas to try. Any help would be appreciated. In python 3.6.4, Error states: "module not found"
Pyserial is installed and should work with python 3.4 or later, based on website: <https://pypi.python.org/pypi/pyserial>.<issue_comment>username_1: First install pip3 that supports python3. Follow [this](https://stackoverflow.com/questions/6587507/how-to-install-pip-with-python-3) for installations.
Then, install **pyserial** for **python3** using pip3.
```
pip3 install pyserial
```
Once installed, run following code to test:
```
import sys
import serial
def main():
print(sys.version) #check python version
print(serial.__version__) #check pyserial version
if __name__ == '__main__':
main()
```
**My Output:**
```
3.6.3 (default, Nov 30 2017, 15:06:08)
[GCC 4.2.1 Compatible Apple LLVM 9.0.0 (clang-900.0.38)]
3.4
```
Upvotes: 2 [selected_answer]<issue_comment>username_2: In addition to the answer from username_1, I had to do the following for Linux. On both Windows and Linux, I had to remove with pip remove pyserial and reinstall with pip3 install pyserial.
Step by step guide to install Python 3.6 and pip3 in Ubuntu
Download Python-3.6.1.tar.xz (or current version) from <https://www.python.org/>
Unzip the file and keep the folder in the home directory.
Open a terminal in that directory and perform the following commands:
1. ./configure
2. make
3. make test
4. sudo make install
This will install Python 3.6 but pip3 may not be working.Install necessary modules using:
sudo apt-get install libreadline-gplv2-dev libncursesw5-dev libssl-dev libsqlite3-dev tk-dev libgdbm-dev libc6-dev libbz2-dev
Now write the following to re-run the installation:
1. sudo make
2. sudo make install
Now you can install packages with Python 3.6 using pip3 command. For example:
sudo pip3 install numpy
Upvotes: 0 |
2018/03/21 | 1,209 | 4,014 | <issue_start>username_0: Golang `encoding/json` package lets you use `,string` struct tag in order to marshal/unmarshal string values (like `"309230"`) into `int64` field. Example:
```
Int64String int64 `json:",string"`
```
However, this doesn't work for slices, ie. `[]int64`:
```
Int64Slice []int64 `json:",string"` // Doesn't work.
```
**Is there any way to marshal/unmarshal JSON string arrays into []int64 field?**
---
Quote from <https://golang.org/pkg/encoding/json>:
>
> The "string" option signals that a field is stored as JSON inside a JSON-encoded string. It applies only to fields of string, floating point, integer, or boolean types. This extra level of encoding is sometimes used when communicating with JavaScript programs:
>
>
><issue_comment>username_1: For anyone interested, I found a solution using a custom type having `MarshalJSON()` and `UnmarshalJSON()` methods defined.
```
type Int64StringSlice []int64
func (slice Int64StringSlice) MarshalJSON() ([]byte, error) {
values := make([]string, len(slice))
for i, value := range []int64(slice) {
values[i] = fmt.Sprintf(`"%v"`, value)
}
return []byte(fmt.Sprintf("[%v]", strings.Join(values, ","))), nil
}
func (slice *Int64StringSlice) UnmarshalJSON(b []byte) error {
// Try array of strings first.
var values []string
err := json.Unmarshal(b, &values)
if err != nil {
// Fall back to array of integers:
var values []int64
if err := json.Unmarshal(b, &values); err != nil {
return err
}
*slice = values
return nil
}
*slice = make([]int64, len(values))
for i, value := range values {
value, err := strconv.ParseInt(value, 10, 64)
if err != nil {
return err
}
(*slice)[i] = value
}
return nil
}
```
The above solution marshals `[]int64` into JSON string array. Unmarshaling works from both JSON string and integer arrays, ie.:
```
{"bars": ["1729382256910270462", "309286902808622", "23"]}
{"bars": [1729382256910270462, 309286902808622, 23]}
```
See example at <https://play.golang.org/p/BOqUBGR3DXm>
Upvotes: 4 [selected_answer]<issue_comment>username_2: As you quoted from [`json.Marshal()`](https://golang.org/pkg/encoding/json/#Marshal), the `,string` option only applies to specific types, namely:
>
> The "string" option signals that a field is stored as JSON inside a JSON-encoded string. **It applies only to fields of string, floating point, integer, or boolean types.**
>
>
>
You want it to work with a slice, but that is not supported by the `json` package.
If you still want this functionality, you have to write your custom marshaling / unmarshaling logic.
What you presented works, but it is unnecessarily complex. This is because you created your custom logic on slices, but you only want this functionality on individual elements of the slices (arrays). You don't want to change how an array / slice (as a sequence of elements) is rendered or parsed.
So a much simpler solution is to only create a custom "number" type producing this behavior, and elements of slices of this custom type will behave the same.
Our custom number type and the marshaling / unmarshaling logic:
```
type Int64Str int64
func (i Int64Str) MarshalJSON() ([]byte, error) {
return json.Marshal(strconv.FormatInt(int64(i), 10))
}
func (i *Int64Str) UnmarshalJSON(b []byte) error {
// Try string first
var s string
if err := json.Unmarshal(b, &s); err == nil {
value, err := strconv.ParseInt(s, 10, 64)
if err != nil {
return err
}
*i = Int64Str(value)
return nil
}
// Fallback to number
return json.Unmarshal(b, (*int64)(i))
}
```
And that's all!
The type using it:
```
type Foo struct {
Bars []Int64Str `json:"bars"`
}
```
Testing it the same way as you did yields the same result. Try it on the [Go Playground](https://play.golang.org/p/DuzIqx6JHJ2).
Upvotes: 3 |
2018/03/21 | 1,520 | 5,040 | <issue_start>username_0: I have a stack with nginx and PHP to run on Docker Swarm Cluster.
In a moment in my PHP application, I need to get the remote\_addr ($\_SERVER['REMOTE\_ADDR']) which contains the real IP from the client host accessing my webapp.
But the problem is that the IP informed for nginx by docker swarm cluster. It's showed an Internal IP like 10.255.0.2, but the real IP it's the external IP from the client Host (like 192.168.101.151).
How I can solve that?
My docker-compose file:
```
version: '3'
services:
php:
image: php:5.6
volumes:
- /var/www/:/var/www/
- ./data/log/php:/var/log/php5
networks:
- backend
deploy:
replicas: 1
web:
image: nginx:latest
ports:
- "80:80"
volumes:
- /var/www/:/var/www/
- ./data/log/nginx:/var/log/nginx
networks:
- backend
networks:
backend:
```
My default.conf (vhost.conf) file:
```
server {
listen 80;
root /var/www;
index index.html index.htm index.php;
access_log /var/log/nginx/access.log main;
error_log /var/log/nginx/error.log error;
location / {
proxy_set_header Host $host;
proxy_set_header X-Real-IP $remote_addr;
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
proxy_set_header X-Forwarded-Proto $scheme;
try_files $uri $uri/ /index.php;
}
location = /50x.html {
root /var/www;
}
# set expiration of assets to MAX for caching
location ~* \.(js|css|gif|png|jp?g|pdf|xml|oga|ogg|m4a|ogv|mp4|m4v|webm|svg|svgz|eot|ttf|otf|woff|ico|webp|appcache|manifest|htc|crx|oex|xpi|safariextz|vcf)(\?[0-9]+)?$ {
expires max;
log_not_found off;
}
location ~ \.php$ {
try_files $uri =404;
fastcgi_index index.php;
fastcgi_split_path_info ^(.+\.php)(/.+)$;
fastcgi_pass php:9000;
include fastcgi_params;
fastcgi_param SCRIPT_FILENAME $document_root$fastcgi_script_name;
fastcgi_param PATH_INFO $fastcgi_path_info;
fastcgi_read_timeout 300;
}
}
```
My nginx config file:
```
user nginx;
worker_processes 3;
error_log /var/log/nginx/error.log warn;
pid /var/run/nginx.pid;
events {
worker_connections 1024;
}
http {
include /etc/nginx/mime.types;
default_type application/octet-stream;
keepalive_timeout 15;
client_body_buffer_size 100K;
client_header_buffer_size 1k;
client_max_body_size 8m;
large_client_header_buffers 2 1k;
gzip on;
gzip_comp_level 2;
gzip_min_length 1000;
gzip_proxied expired no-cache no-store private auth;
gzip_types text/plain application/x-javascript text/xml text/css application/xml;
log_format main '$remote_addr - $remote_user [$time_local] "$request_filename" "$request" '
'$status $body_bytes_sent "$http_referer" '
'"$http_user_agent" "$http_x_forwarded_for"';
access_log /var/log/nginx/access.log main;
sendfile on;
#tcp_nopush on;
include /etc/nginx/conf.d/*.conf;
}
```<issue_comment>username_1: You can't get this yet through an overlay network. If [you scroll up from bottom on this long-running GitHub issue](https://github.com/moby/moby/issues/25526), you'll see some options for using bridge networks in Swarm with your proxies to get around this issue for now.
Upvotes: 2 <issue_comment>username_2: for those don't want to read all the github thread ( <https://github.com/moby/moby/issues/25526> ), the answer that was good for me was to change the config to this :
```
version: '3.7'
services:
nginx:
ports:
- mode: host
protocol: tcp
published: 80
target: 80
- mode: host
protocol: tcp
published: 443
target: 81
```
This still lets the internal overlay network work, but uses some tricks with iptables to forward those ports directly to the container, so the service inside the container see the correct source IP address of the packets.
There is no facility in iptables to allow balancing of ports between multiple containers, so you can only assign one port to one container (which includes multiple replicas of a container).
Upvotes: 5 <issue_comment>username_3: **X-Real-IP** will be passthrough and you can use it to access client IP. You can look at <http://dequn.github.io/2019/06/22/docker-web-get-real-client-ip/> for reference.
Upvotes: -1 <issue_comment>username_4: changing port binding mode to host worked for me
```
ports:
- mode: host
protocol: tcp
published: 8082
target: 80
```
however your web front end must listen on a specific host inside swarm cluster
i.e.
```
deploy:
placement:
constraints:
[node.role == manager]
```
Upvotes: 2 |
2018/03/21 | 266 | 1,113 | <issue_start>username_0: I'd like to read a .xlsx using python pandas. The problem is the at the beginning of the excel file, it has some additional data like title or description of the table and tables contents starts. That introduce the unnamed columns because pandas DataReader takes it as the columns.
But tables contents starts after few lines later.
```
A B C
this is description
last updated: Mar 18th,2014
Table content
Country Year Product_output
Canada 2017 3002
Bulgaria 2016 2201
...
```
The table content starts in line 4. And columns must be "Country", "year", "proudct\_output" instead "this is description", "unnamed", "unnamed".<issue_comment>username_1: when you use `read_excel` function set `skiprows` paramter to 3.
Upvotes: 2 [selected_answer]<issue_comment>username_2: Try using index\_col=[0] parameter
pd.read\_excel('Excel\_Sample.xlsx',sheet\_name='Sheet1',index\_col=[0])
Upvotes: 0 |
2018/03/21 | 193 | 565 | <issue_start>username_0: I have tow tables


How to make pl/SQL procedure and then job when I delete from table1 where table1.S = Table2.Z and table1.O =90 and table2.P=90 same time to delete in table2<issue_comment>username_1: when you use `read_excel` function set `skiprows` paramter to 3.
Upvotes: 2 [selected_answer]<issue_comment>username_2: Try using index\_col=[0] parameter
pd.read\_excel('Excel\_Sample.xlsx',sheet\_name='Sheet1',index\_col=[0])
Upvotes: 0 |
2018/03/21 | 732 | 2,569 | <issue_start>username_0: I'm new to using Razor pages, so I have in the model directory a class with the following values:
```
public int Id { set; get; }
public string CustomerCode { set; get; }
public double Amount { set; get; }
```
Inside my controller (.cs file), I have the following:
```
public ActionResult Index()
{
Customer objCustomer = new Customer();
objCustomer.Id = 1001;
objCustomer.CustomerCode = "C001";
objCustomer.Amount = 900.78;
return View();
}
```
...now, I want to display the values via my Index.cshtml page, but when I run the application, I just get the actual code that I typed as oppose to the values:
...this is how have the .cshtml page setup:
```
@model Mvccustomer.Models.Customer
@{
ViewBag.Title = "Index";
}
Index
-----
The customer id is : <%= Model.Id %>
The customer id is : <%= Model.CustomerCode %>
The customer id is : <%= Model.Amount %>
```
...my question is, how do I get the values to display? Thanks in advance for any assistance.<issue_comment>username_1: You need to send the value to the view in the return
```
return View(objCustomer);
```
This will allow the model binder to kick in, populating the values of your `@model` type with the values from the ActionResult's object.
If you are using razor instead of the `<%=` syntax, you should also replace those with the `@` razor syntax as shown in [username_2' answer](https://stackoverflow.com/a/49415649/1026459) as well.
Upvotes: 1 <issue_comment>username_2: You need to use the [razor syntax](https://learn.microsoft.com/en-us/aspnet/web-pages/overview/getting-started/introducing-razor-syntax-c).
Using your example:
```
@{
ViewBag.Title = "Index";
}
Index
-----
The customer id is : @Model.Id
The customer id is : @Model.CustomerCode
The customer id is : @Model.Amount
```
Upvotes: 3 [selected_answer]<issue_comment>username_3: Complete solution to your problem:
Controller Action: You need to send object to view from controller action
```
public ActionResult Index()
{
Customer objCustomer = new Customer();
objCustomer.Id = 1001;
objCustomer.CustomerCode = "C001";
objCustomer.Amount = 900.78;
return View(objCustomer);
}
```
View: You need to use @ for Razor syntax
```
@model Mvccustomer.Models.Customer
@{
ViewBag.Title = "Index";
}
Index
-----
The customer id is : @Model.Id
The customer id is : @Model.CustomerCode
The customer id is : @Model.Amount
```
Upvotes: -1 |
2018/03/21 | 262 | 653 | <issue_start>username_0: Beginning with a string like:
```
S='a=65 b=66 c=67'
```
How would you create an output a dict like `{'a':'65','b':'66','c':'67'}`
Attempt:
```
S='a=65 b=66 c=67'
L=s.split(' ')
D=dict()
A=''
i=0
While i
```
>
> Error on line 8 indexerror list index out of range
>
>
><issue_comment>username_1: You are using index i to iterate over L, but you use (i+1) to access A, this will lead to the problem. A might not have the size of Len(L)
Upvotes: 0 <issue_comment>username_2: Let's use comprehension and split:
```
dict(i.split('=') for i in S.split())
```
Output:
```
{'a': '65', 'b': '66', 'c': '67'}
```
Upvotes: 3 |
2018/03/21 | 950 | 3,477 | <issue_start>username_0: ```
var constraintResolver = new DefaultInlineConstraintResolver()
{
ConstraintMap =
{
["apiVersion"] = typeof( ApiVersionRouteConstraint )
}
};
config.MapHttpAttributeRoutes(constraintResolver);
config.AddApiVersioning(o => o.AssumeDefaultVersionWhenUnspecified = true);
[ApiVersion("2.05")]
[RoutePrefix("api/v{version:apiVersion}/ger")]
public class caGerController
[Route("~/api/ger/getDetail")]
[Route("getDetail")]
GetGerData
[ApiVersion("1")]
[RoutePrefix("api/v{version:apiVersion}/gerDetail")]
public class caGerDetailsController
caGerController
[Route("~/api/gerDetail/getDetail")]
[Route("getDetail")]
GetGerData
>> GetGerData
```
Result:
1. Both URL working with v1 version ROUTE.
2. Second URL working for both, v1 and direct without v1 route as well i.e. [Route("~/api/gerDetail/getDetail")]
3. PROBLEM: first URL is only working with v1 and its not working with direct route like " [Route("~/api/ger/getDetail")]"
and getting an error as below:
"Error": {
"Code": "ApiVersionUnspecified",
"Message": "An API version is required, but was not specified."
}
How to solve this issue?
When I change from 2.05 to 1.0 then it works but 2.0 or 2.05 both do not work. Is there a separate folder required?<issue_comment>username_1: The **ApiVersionUnspecified** happens because **all** routes require an explicit API version by default. You opt out of this behavior using:
```
options.AssumeDefaultVersionWhenUnspecified = true
```
This setting means that a default API version is assumed when a client doesn't provide one. The default value is:
```
options.DefaultApiVersion // equals 1.0 by default
```
When you use the URL segment versioning method, you can't have two different controllers that both an *unversioned* route. The route without an API version can only map to a single controller. Since the default is "1.0" and you have a controller with the *unversioned* route, that's the one that will always been matched.
Upvotes: 4 <issue_comment>username_2: By adding API versioning, the default behavior is that it uses QueryString versioning.
```
config.AddApiVersioning(cfg => {});
```
api-version=1.0
To specify a version, you can add the querystring parameter **api-version=1.0** at the end.
Example:
http://localhost:6600/api/test?api-version=1.0
You can change the version like this:
```
protected void Application_Start()
{
AreaRegistration.RegisterAllAreas();
GlobalConfiguration.Configure(WebApiConfig.Register);
...
public static void Register(HttpConfiguration config)
{
...
config.AddApiVersioning(cfg =>
{
cfg.DefaultApiVersion = new ApiVersion(1,1);
});
```
So you can change the version like this:
http://localhost:6600/api/test?api-version=1.1
By adding **AssumeDefaultVersionWhenUnspecified**, you don't have to specify a version.
```
config.AddApiVersioning(cfg =>
{
cfg.DefaultApiVersion = new ApiVersion(1,1);
cfg.AssumeDefaultVersionWhenUnspecified = true;
});
```
This will work:
http://localhost:6600/api/test
You can also add **ReportApiVersions**
```
config.AddApiVersioning(cfg =>
{
cfg.DefaultApiVersion = new ApiVersion(1,1);
cfg.AssumeDefaultVersionWhenUnspecified = true;
cfg.ReportApiVersions = true;
});
```
The response will have a new header **api-supported-versions** which specifies what versions are supported for the call they made.
Upvotes: 2 |
2018/03/21 | 607 | 1,702 | <issue_start>username_0: I'm trying to print two variables at the top of a text file.
I have variables:
```
file=someFile.txt
var1=DONKEY
var2=KONG
sed -i "1s/^/$var1$var2/" $file
```
The output of the last line is: `DONKEYKONG`
While i need it to be:
`DONKEY
KONG`
I tried:
`sed -i "1s/^/$var1\n$var2/" $file`
`sed -i "1s/^/$var1/\n$var2/" $file`
`sed -i "1s/^/$var1/g $file`
`sed -i "2s/^/$var2/g $file`
However, none of those worked.
EDIT:
I tried `$var1\\n$var2`, opened the file in notepad and it didn't look right. I opened in notepad++ & sublime and it was the right formatting<issue_comment>username_1: Put a literal newline in the replacement string. You also need to escape it.
```
sed -i "1s/^/$var1\\
$var2/" $file
```
Upvotes: 1 <issue_comment>username_2: Two approaches:
1) Include newlines in the command by escaping them with backslashes:
```
sed -i -e "1s/^/${var1}\\
${var2}\\
/" "$file"
```
Make sure `\\` is followed immediately by a newline, no other white space.
Or, 2) avoid the newline escaping issue and take advantage of sed's ability to insert newlines around its hold space:
```
sed -i -e "1h;1s/.*/${var2}/;1G;1h;1s/.*/${var1}/;1G" "$file"
```
To explain this second approach, the commands do the following:
```
h: copy the first line to the hold space
s: replace the first line with the contents of var2
G: append the hold space to the pattern space with a newline separator
After this we've inserted var2 above line 1, on its own line.
Repeat h, s, and G with var1.
Apply all commands to line 1, no other lines.
```
Upvotes: 0 <issue_comment>username_3: With `ed`:
```
printf "%s\n" 1 i "$var1" "$var2" "." w q | ed -s "$file"
```
Upvotes: 1 |
2018/03/21 | 1,732 | 6,563 | <issue_start>username_0: I'm creating an Angular component that wraps a native element with some additional features. Buttons do not fire a click event if they're disabled and I want to replicate the same functionality. i.e., given:
```
Save
```
Is there a way for `my-button` to prevent `onClick()` from getting called?
In Angular you can listen to the host click event this way, and stop *propagation* of the event:
```
//Inside my-button component
@HostListener('click', ['$event'])
onHostClick(event: MouseEvent) {
event.stopPropagation();
}
```
This prevents the event from bubbling to ancestor elements, but it does not stop the built-in `(click)` output from firing on the same host element.
Is there a way to accomplish this?
---
**Edit 1:** the way I'm solving this now is by using a different output called "onClick", and consumers have to know to use "onClick" instead of "click". It's not ideal.
**Edit 2:** Click events that originate on the element are successfully stopped. But if you put elements inside the button tag as I have, click events on those targets do propagate up to the host. Hm, it should be possible to wrap the button in another element which stops propagation...<issue_comment>username_1: I do not believe there is a native way to prevent the event from firing, as supported by [this git issue](https://github.com/angular/angular/issues/9587) in 2016:
>
> The order of execution is red herring - the order in which an event on the same element is propagated to multiple listeners is currently undefined. this is currently by design.
>
>
> Your problem is that the event exposed to the listeners is the real DOM event and calling stopImmediatePropagation() on the provided event stops execution of other listeners registered on this element. **However since all the the listeners registered via Angular are proxied by just a single dom listener (for performance reasons) calling stopImmediatePropagation on this event has no effect.**
>
>
>
Upvotes: 2 <issue_comment>username_2: You could do the following:
* Redefine the `click` event of the component, and emit this event when the button is clicked
* Set the CSS style `pointer-events: none` on the component host
* Set the CSS style `pointer-events: auto` on the button
* Call `event.stopPropagation()` on the button click event handler
If you need to process the click event of other elements inside of your component, set the style attribute `pointer-events: auto` on them, and call `event.stopPropagation()` in their click event handler.
You can test the code in [**this stackblitz**](https://stackblitz.com/edit/template-driven-form-2-vm9gqu?file=app%2Fmy-custom.component.ts).
```
import { Component, HostListener, Input, Output, ElementRef, EventEmitter } from '@angular/core';
@Component({
selector: 'my-button',
host: {
"[style.pointer-events]": "'none'"
},
template: `
...
Span element`,
styles: [`button, span { pointer-events: auto; }`]
})
export class MyCustomComponent {
@Input() public isDisabled: boolean = false;
@Output() public click: EventEmitter = new EventEmitter();
onButtonClick(event: MouseEvent) {
event.stopPropagation();
this.click.emit(event);
}
onSpanClick(event: MouseEvent) {
event.stopPropagation();
}
}
```
---
**UPDATE**:
Since the button can contain HTML child elements (`span`, `img`, etc.), you can add the following CSS style to prevent the click from being propagated to the parent:
```
:host ::ng-deep button * {
pointer-events: none;
}
```
Thanks to [@ErikWitkowski](https://stackoverflow.com/users/3423112/erikwitkowski) for [his comment](https://stackoverflow.com/questions/49415692/can-you-prevent-an-angular-components-host-click-from-firing/49417360?noredirect=1#comment102625424_49417360) on this special case. See [this stackblitz](https://stackblitz.com/edit/template-driven-form-2-imsmie?file=app/my-custom.component.ts) for a demo.
Upvotes: 6 [selected_answer]<issue_comment>username_3: You can use the native add and remove EventListeners. This is in no way a good solution when thinking in angular terms. Also, this won't work if you put `disabled` attribute in `button` as it will override eventListeners attached. A `disabled` class need to be used instead. (Or else wrap `button` in a `span` and use template ref `#btn` from it.)
[StackBlitz](https://stackblitz.com/edit/my-button-prevent-event-vnatwu)
```
import { Component, OnInit, OnChanges, HostListener, Input, Output, EventEmitter, SimpleChanges, ElementRef, ViewChild } from '@angular/core';
@Component({
selector: 'app-my-button',
template: `hey`,
styles: [`button.disabled { opacity:0.5 }`]
})
export class MyButtonComponent implements OnInit, OnChanges {
disableClick = e => e.stopPropagation();
@Input() isDisabled: boolean;
@ViewChild('btn') btn: ElementRef;
constructor() { }
ngOnChanges(changes: SimpleChanges) {
if(this.isDisabled) {
this.btn.nativeElement.addEventListener('click', this.disableClick);
} else {
this.btn.nativeElement.removeEventListener('click', this.disableClick);
}
}
ngOnInit() {
}
}
```
Upvotes: 0 <issue_comment>username_4: You can try stop propagation of the event in capturing mode (look at **true** as the last param of addEventListener calling and **window** as the listening object).
```
window.addEventListener('click', (event) => {
let clickDisallowed = true; // detect if this click is disallowed
if (event.target === this.elementRef.nativeElement && clickDisallowed) {
event.stopImmediatePropagation();
}
}, true);
```
And do not forget unsubscribe this listener.
Upvotes: 0 <issue_comment>username_5: Catch click with early subscription.
Easy way would be to catch event on capture phase, but
there is some problem with capture catch in a Firefox (when event target is disabled, click event comes to host on bubbling phase, not on capture). So we have to add event listener in constructor (not on init) to be the first subscriber and to use stopImmediatePropagation on event.
```
@Input() disabled: boolean;
constructor(private elementRef: ElementRef) {
this.elementRef.nativeElement.addEventListener('click', this.captureClick, true);
}
ngOnDestroy() {
this.elementRef.nativeElement.removeEventListener('click', this.captureClick, true);
}
private captureClick = (event: PointerEvent) => {
if (this.disabled) {
event.stopPropagation();
event.preventDefault();
event.stopImmediatePropagation();
return false;
}
return true;
};
```
Upvotes: 1 |
2018/03/21 | 1,502 | 5,633 | <issue_start>username_0: I'm evaluating Flyway and want to know if it can check for the presence of any externally made changes? I.e. if someone makes a change directly to the database, outside of Flyway, can I catch that?
I tried validate and info but it doesn't seem to notice.<issue_comment>username_1: I do not believe there is a native way to prevent the event from firing, as supported by [this git issue](https://github.com/angular/angular/issues/9587) in 2016:
>
> The order of execution is red herring - the order in which an event on the same element is propagated to multiple listeners is currently undefined. this is currently by design.
>
>
> Your problem is that the event exposed to the listeners is the real DOM event and calling stopImmediatePropagation() on the provided event stops execution of other listeners registered on this element. **However since all the the listeners registered via Angular are proxied by just a single dom listener (for performance reasons) calling stopImmediatePropagation on this event has no effect.**
>
>
>
Upvotes: 2 <issue_comment>username_2: You could do the following:
* Redefine the `click` event of the component, and emit this event when the button is clicked
* Set the CSS style `pointer-events: none` on the component host
* Set the CSS style `pointer-events: auto` on the button
* Call `event.stopPropagation()` on the button click event handler
If you need to process the click event of other elements inside of your component, set the style attribute `pointer-events: auto` on them, and call `event.stopPropagation()` in their click event handler.
You can test the code in [**this stackblitz**](https://stackblitz.com/edit/template-driven-form-2-vm9gqu?file=app%2Fmy-custom.component.ts).
```
import { Component, HostListener, Input, Output, ElementRef, EventEmitter } from '@angular/core';
@Component({
selector: 'my-button',
host: {
"[style.pointer-events]": "'none'"
},
template: `
...
Span element`,
styles: [`button, span { pointer-events: auto; }`]
})
export class MyCustomComponent {
@Input() public isDisabled: boolean = false;
@Output() public click: EventEmitter = new EventEmitter();
onButtonClick(event: MouseEvent) {
event.stopPropagation();
this.click.emit(event);
}
onSpanClick(event: MouseEvent) {
event.stopPropagation();
}
}
```
---
**UPDATE**:
Since the button can contain HTML child elements (`span`, `img`, etc.), you can add the following CSS style to prevent the click from being propagated to the parent:
```
:host ::ng-deep button * {
pointer-events: none;
}
```
Thanks to [@ErikWitkowski](https://stackoverflow.com/users/3423112/erikwitkowski) for [his comment](https://stackoverflow.com/questions/49415692/can-you-prevent-an-angular-components-host-click-from-firing/49417360?noredirect=1#comment102625424_49417360) on this special case. See [this stackblitz](https://stackblitz.com/edit/template-driven-form-2-imsmie?file=app/my-custom.component.ts) for a demo.
Upvotes: 6 [selected_answer]<issue_comment>username_3: You can use the native add and remove EventListeners. This is in no way a good solution when thinking in angular terms. Also, this won't work if you put `disabled` attribute in `button` as it will override eventListeners attached. A `disabled` class need to be used instead. (Or else wrap `button` in a `span` and use template ref `#btn` from it.)
[StackBlitz](https://stackblitz.com/edit/my-button-prevent-event-vnatwu)
```
import { Component, OnInit, OnChanges, HostListener, Input, Output, EventEmitter, SimpleChanges, ElementRef, ViewChild } from '@angular/core';
@Component({
selector: 'app-my-button',
template: `hey`,
styles: [`button.disabled { opacity:0.5 }`]
})
export class MyButtonComponent implements OnInit, OnChanges {
disableClick = e => e.stopPropagation();
@Input() isDisabled: boolean;
@ViewChild('btn') btn: ElementRef;
constructor() { }
ngOnChanges(changes: SimpleChanges) {
if(this.isDisabled) {
this.btn.nativeElement.addEventListener('click', this.disableClick);
} else {
this.btn.nativeElement.removeEventListener('click', this.disableClick);
}
}
ngOnInit() {
}
}
```
Upvotes: 0 <issue_comment>username_4: You can try stop propagation of the event in capturing mode (look at **true** as the last param of addEventListener calling and **window** as the listening object).
```
window.addEventListener('click', (event) => {
let clickDisallowed = true; // detect if this click is disallowed
if (event.target === this.elementRef.nativeElement && clickDisallowed) {
event.stopImmediatePropagation();
}
}, true);
```
And do not forget unsubscribe this listener.
Upvotes: 0 <issue_comment>username_5: Catch click with early subscription.
Easy way would be to catch event on capture phase, but
there is some problem with capture catch in a Firefox (when event target is disabled, click event comes to host on bubbling phase, not on capture). So we have to add event listener in constructor (not on init) to be the first subscriber and to use stopImmediatePropagation on event.
```
@Input() disabled: boolean;
constructor(private elementRef: ElementRef) {
this.elementRef.nativeElement.addEventListener('click', this.captureClick, true);
}
ngOnDestroy() {
this.elementRef.nativeElement.removeEventListener('click', this.captureClick, true);
}
private captureClick = (event: PointerEvent) => {
if (this.disabled) {
event.stopPropagation();
event.preventDefault();
event.stopImmediatePropagation();
return false;
}
return true;
};
```
Upvotes: 1 |
2018/03/21 | 850 | 2,045 | <issue_start>username_0: I'm looking for a simple and invertible way to represent a Julia string by an integer (e.g. for cryptography). To be clear, I'm not considering string representations of integers like "123", but arbitrary strings like "Hello". The representation doesn't need to be human-readable, but it needs to be easily invertible back to a unique string (so not a hash). It doesn't need to be efficient; I'm just looking for something as simple as possible. (Also, it's fine if it only works on a small character set, e.g. lowercase Roman letters.)
One naive way would be to `collect` the string into a vector of chars, `parse(Int, _)` each char to an integer, and concatenate the integers. But this seems cumbersome, and I suspect that there's in built-in Julia function (or small composition of functions) that will get the job done more easily.<issue_comment>username_1: I created a (somewhat complicated) implementation that works for ASCII strings:
```
stringToInt(str::String) = sum(i -> Int(str[end-i]) * 128^i, 0:length(str)-1)
function intToString(m::Int)
chars = Char[]
for n in div(ceil(Int, log2(x)), 7)-1:-1:0
d, m = divrem(m, 128^n)
push!(chars, d)
end
String(chars)
end
```
Let me know if you can think of a better one.
Upvotes: 0 <issue_comment>username_2: If your strings only use the numbers `0-9` and letters `a-z` and `A-Z`, then you can parse the string directly as base 62 BigInteger:
```
julia> s = randstring(123)
"<KEY>"
julia> i = parse(BigInt, s, base=62)
12798646956721889529517502411501433963894611324020956397632780092623456213685688389093681112679380669903728068303911743800989012987014660454736389459814982802097607808640628339365945710572579898457023165244164689548286133
julia> string(i, base=62)
"<KEY>"
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 1,029 | 2,157 | <issue_start>username_0: My Table Structure is like below:
```
Carrier Terminal timestamp1
1 1 21-Mar-17
2 101 21-Mar-17
3 2 21-Mar-17
4 202 21-Mar-17
5 3 21-Mar-17
6 303 21-Mar-17
```
where carrier
```
flight 1,2 = Delta
flight 3,4 = Air France
flight 5,6 = Lufthanse
```
and
```
Terminal 1,101 = T1
terminal 2,202 = T2
terminal 3,303 = T3
```
I am trying output like below:
```
count(Delta), count(Air France), count(Lufthansa), terminal as column output
2, 0, 0, T1
0, 2, 0, T2
0, 0, 2, T3
```
I have started like this
```
select count(Delta), count(Air France), count(Lufthansa), terminal
from table_name
where timestamp between '01-Mar-18 07.00.00.000000 AM' and '30-Mar-18 07.59.59.999999 AM'
```
I am trying to write a query to have a count of different carriers flown through a particular day for each terminal
Any Advise will be highly appreciated<issue_comment>username_1: I created a (somewhat complicated) implementation that works for ASCII strings:
```
stringToInt(str::String) = sum(i -> Int(str[end-i]) * 128^i, 0:length(str)-1)
function intToString(m::Int)
chars = Char[]
for n in div(ceil(Int, log2(x)), 7)-1:-1:0
d, m = divrem(m, 128^n)
push!(chars, d)
end
String(chars)
end
```
Let me know if you can think of a better one.
Upvotes: 0 <issue_comment>username_2: If your strings only use the numbers `0-9` and letters `a-z` and `A-Z`, then you can parse the string directly as base 62 BigInteger:
```
julia> s = randstring(123)
"<KEY>"
julia> i = parse(BigInt, s, base=62)
12798646956721889529517502411501433963894611324020956397632780092623456213685688389093681112679380669903728068303911743800989012987014660454736389459814982802097607808640628339365945710572579898457023165244164689548286133
julia> string(i, base=62)
"<KEY>"
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 737 | 2,905 | <issue_start>username_0: I'm using Next.js, and I have a custom server using Express. I have a page that requires some data from the database.
`getInitialProps()`, when running on the server, could just grab the data from the database and return it, without any problems.
However, `getInitialProps()` can also run on the client side (when the user initially requests a different page, then navigates to this one). In that case, since I'm on the client side, I obviously can't just fetch the data from the database - I have to use AJAX to talk to the server and ask it to retrieve it for me.
Of course, this also means that I have define a new Express route on the server to handle this request, which will contain exactly the same code as the server-side part of `getInitialProps()`, which is very undesirable.
What's the best way to handle this?<issue_comment>username_1: `getInitialProps()` always receives the request and response as parameters which are only set on the server:
```
static async getInitialProps({req}){
if(req){
// called on server
} else {
// called on client
}
}
```
<https://github.com/zeit/next.js#fetching-data-and-component-lifecycle>
Upvotes: 5 <issue_comment>username_2: In your `getInitialProps` you should be making a http request to a new express route that has your logic for fetching from the database. That logic should never live in the UI layer.
This route should then be called regardless of whether you are on the client or on the server - you don't need to do any code branching.
Upvotes: 3 <issue_comment>username_3: Since no good solution seemed to have existed, I have created and published a library to provide a simple and elegant solution to this problem: [next-express](https://github.com/shdnx/next-express).
Upvotes: 4 [selected_answer]<issue_comment>username_4: Make an API distinct from your next.js app. Think of the next app as a frontend client that happens to render pages on the server
Upvotes: 2 <issue_comment>username_5: With time new solutions come around.
Nextjs has introduced a new method [`getServerSideProps`](https://nextjs.org/docs/basic-features/data-fetching#getserversideprops-server-side-rendering) primarily for such use cases
```
getServerSideProps only runs on server-side and never runs on the browser.
```
Upvotes: 2 <issue_comment>username_6: For me, the quickest way I found is to get the data from `__NEXT_DATA__`
```
MyApp.getInitialProps = async (): Promise => {
const isInBroswer = typeof window !== 'undefined';
if (isInBroswer) {
const appCustomPropsString =
document.getElementById('\_\_NEXT\_DATA\_\_')?.innerHTML;
if (!appCustomPropsString) {
throw new Error(`\_\_NEXT\_DATA\_\_ script was not found`);
}
const appCustomProps = JSON.parse(appCustomPropsString).props;
return appCustomProps;
}
// server side, where I actually fetch the data from db/cms and return it
}
```
Upvotes: 0 |
2018/03/21 | 1,388 | 4,529 | <issue_start>username_0: I am trying to convert an array of objects containing string values to their id value based off other array of objects. Here are the arrays.
```
const employees = [
{
name: 'bob',
department: 'sales',
location: 'west'
},
{
name:'fred',
department: 'sales',
location: 'west'
},
{
name:'josh',
department: 'inventory',
location: 'east'
},
{
name: 'mike',
department: 'quality assurance',
location: 'north'
}
];
const departments = [
{
dep: 'sales',
id: 12
},
{
dep:'quality assurance',
id: 11
},
{
dep:'inventory',
id: 13
}
];
const locations = [
{
region: 'west',
id: 3
},
{
region:'north',
id: 1
},
{
region:'east',
id: 2
},
{
region:'south',
id: 4
}
];
```
I would like the converted employees array to look like this:
```
[
{name:"bob", department: 12, location: 3},
{name:"fred", department: 12, location: 3},
{name:"josh", department: 13, location: 2},
{name:"mike", department: 11, location: 1}
]
```
I've tried:
```
employees.forEach((row) => {
row.department = departments.filter(depart => row.department === depart.dep)
.reduce((accumulator, id) => id)
row.department = row.department.id; // would like to remove this.
});
employees.forEach((row) => {
row.location = locations.filter(loc => row.location === loc.region)
.reduce((accumulator, id) => id);
row.location = row.location.id; // would like to remove this part.
});
```
I get the desired results from using the `forEach` I have, but I think there is a better way of using `.filter()` and `.reduce()`. I would like help removing the last line of the two `forEach` statements where I have to set `row.department = row.department.id` and `row.location = row.location.id`<issue_comment>username_1: One possible approach:
```
const dehydratedEmployees = employees.map(emp => {
const depId = departments.find(dep => dep.dep === emp.department).id;
const locId = locations.find(loc => loc.location === loc.region).id;
return { name: emp.name, department: depId, location: locId };
});
```
In other words, you can use [Array.prototype.find()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/find) instead of `filter-reduce` combo. As `.reduce()` won't stop at the first successful search, `.find()` is both more efficient and concise. Just don't forget to apply polyfill for IE and other non-supportive browsers.
Upvotes: 3 <issue_comment>username_2: One solution is to create `Map` for departments and locations to eliminated nested loop when mapping `employees`.
`Map` can be created from a nested array: `new Map([[key, value], [key, value]])`:
```js
const employees = [
{ name: 'bob', department: 'sales', location: 'west' },
{ name:'fred', department: 'sales', location: 'west' },
{ name:'josh', department: 'inventory', location: 'east' },
{ name: 'mike', department: 'quality assurance', location: 'north'}
];
const departments = [
{ dep: 'sales', id: 12 },
{ dep:'quality assurance', id: 11 },
{ dep:'inventory', id: 13}
];
const locations = [
{ region: 'west', id: 3 },
{ region:'north', id: 1},
{ region:'east', id: 2 },
{ region:'south', id: 4}
];
const departmentMap = new Map(departments.map(i => [i.dep, i.id]));
const locationMap = new Map(locations.map(i => [i.region, i.id]));
const result = employees.map(e => ({
name: e.name,
department: departmentMap.get(e.department),
location: locationMap.get(e.location)
}))
console.log(result);
```
Upvotes: 2 <issue_comment>username_3: Another possible approach. You can use **[`Array.prototype.filter()`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/filter)**(like below)
```js
const employees=[{name:'bob',department:'sales',location:'west'},{name:'fred',department:'sales',location:'west'},{name:'josh',department:'inventory',location:'east'},{name:'mike',department:'quality assurance',location:'north'}];const departments=[{dep:'sales',id:12},{dep:'quality assurance',id:11},{dep:'inventory',id:13}];const locations=[{region:'west',id:3},{region:'north',id:1},{region:'east',id:2},{region:'south',id:4}]
var newArray=employees.map((x)=>{
return { name: x.name,
department: departments.filter(y=>y.dep === x.department)[0].id,
location: locations.filter(y=>y.region===x.location)[0].id};
});
console.log(newArray);
```
Upvotes: 2 [selected_answer] |
2018/03/21 | 1,271 | 3,210 | <issue_start>username_0: Is there a way to reference the AS so I can use them in the
HAVING clause?
Quick explanation. My organization is grouped up into varying business lines. I'm trying to find the total number of application installs within the organization, the entire bank, and I want to limit the results to only show those apps that have a business line total number greater than 50% of the total.
Thanks for the help!
```
select adp_id,
(select SUM(total) from dbo.IQCS_AppsByCC b where coctr_L3 = '99990001594' and b.adp_id = a.adp_id)as bl_total,
(select SUM(total) from dbo.IQCS_AppsByCC c where c.adp_id = a.adp_id)as bank_total
from dbo.IQCS_AppsByCC a
where coctr_L3 = '99990001594'
and adp_id IN(19897, 15034, 17381, 13840 )
group by adp_id
HAVING bl_total / bank_total * 100 > 50
```
Error code 207, SQL state S0001: Invalid column name 'bl\_total'.
The potential duplicate question does not have a solution or alternative way to work around the issue, therefore useless.<issue_comment>username_1: You could use conditional aggregation and use expression instead of aliases:
```
select adp_id,
SUM(CASE WHEN coctr_L3 = '99990001594' THEN total ELSE 0.0 END)as bl_total,
SUM(total) as bank_total
from dbo.IQCS_AppsByCC a
where coctr_L3 = '99990001594'
and adp_id IN(19897, 15034, 17381, 13840 )
group by adp_id
HAVING
SUM(CASE WHEN coctr_L3 = '99990001594' THEN total ELSE 0 END)/SUM(total)*100>50
```
Upvotes: 0 <issue_comment>username_2: Many databases support aliases in the `having` clause. You can simplify your query, and perhaps this will work (which it probably will not):
```
select adp_id,
sum(case when coctr_L3 = '99990001594' then total end) as bl_total,
sum(total) as bank_total
from dbo.IQCS_AppsByCC a
where adp_id in (19897, 15034, 17381, 13840)
group by adp_id
having bl_total / bank_total * 100 > 50;
```
In any case, you can switch this to:
```
having sum(case when coctr_L3 = '99990001594' then total end) > 0.5 * sum(total)
```
Upvotes: 0 <issue_comment>username_3: Wrap the original query up in a *derived table*. Then you can use the column aliases in the outer `WHERE` clause instead of in `HAVING`. (Same result.)
```
select * from
(
select adp_id,
(select SUM(total) from dbo.IQCS_AppsByCC b where coctr_L3 = '99990001594' and b.adp_id = a.adp_id)as bl_total,
(select SUM(total) from dbo.IQCS_AppsByCC c where c.adp_id = a.adp_id)as bank_total
from dbo.IQCS_AppsByCC a
where coctr_L3 = '99990001594'
and adp_id IN(19897, 15034, 17381, 13840 )
group by adp_id
) dt
WHERE bl_total / bank_total * 100 > 50
```
Upvotes: 2 [selected_answer]<issue_comment>username_4: I think there is a better way
That first sum is just a repeat of the main where
```
select a.adp_id, sum(total) from as bl_total, b.ttl as bank_total
from dbo.IQCS_AppsByCC a
join ( select adp_id, sum(total) as ttl
from dbo.IQCS_AppsByCC
where adp_id IN (19897, 15034, 17381, 13840)
group by adp_id
) b
on b.adp_id = a.adp_id
where coctr_L3 = '99990001594'
and a.adp_id IN (19897, 15034, 17381, 13840)
group by a.adp_id
HAVING sum(total) * 2 > b.ttl
```
Upvotes: 1 |
2018/03/21 | 255 | 849 | <issue_start>username_0: My service code prints the observable in console but how to return back the observable to component
service code:
```
const visit$ = this.db.object('visitordetails/'+$key);
this.item = visit$.subscribe((result) => console.log(result)) as Object;
```<issue_comment>username_1: Just don't subscribe within the service.
```
return this.db.object('visitordetails/'+$key)
```
Upvotes: 0 <issue_comment>username_2: If you want your component to use the observable, you have to return it from the service and subscribe to it in the component:
**service.ts**
```
get() {
return this.db.object('visitordetails/'+$key);
}
```
**component.ts**
```
item: any;
ngOnInit() {
this.service.get().subscribe(item => {
console.log(item);
});
}
```
**component.html**
```
{{item}}
OR
{{item.property}}
```
Upvotes: 1 |
2018/03/21 | 384 | 1,150 | <issue_start>username_0: I'm attempting to integrate FontAwesome like so:
```
.accordion:after {
content: "\f0d7";
color: #9E3E39;
font-weight: bold;
float: right;
font-size: 15px;
margin-left: 5px;
margin-top: -80px;
font-family: FontAwesome;
}
```
and the end result is this:

`\f0d7`
This is the script we're using for FA:
```
```
This is in a invisionfree based forum, using the bbcode [dohtml] to activate html coding.
What am I doing wrong? I feel like in theory it should be all good?<issue_comment>username_1: Just don't subscribe within the service.
```
return this.db.object('visitordetails/'+$key)
```
Upvotes: 0 <issue_comment>username_2: If you want your component to use the observable, you have to return it from the service and subscribe to it in the component:
**service.ts**
```
get() {
return this.db.object('visitordetails/'+$key);
}
```
**component.ts**
```
item: any;
ngOnInit() {
this.service.get().subscribe(item => {
console.log(item);
});
}
```
**component.html**
```
{{item}}
OR
{{item.property}}
```
Upvotes: 1 |
2018/03/21 | 1,122 | 4,303 | <issue_start>username_0: I have a bunch of content in a Wagtail 2.0 rich text field that looks like
```
Page heading
(intro blurb)
heading 1
(heading-1-relevant text)
heading 2
(heading-2-relevant text)
...
```
and I would like to give each heading an `id` so that any text can be made a link to jump to the relevant content. I can't seem to find an option to give headings an explicit `id`, and the "link" button in the rich text editor does not seem to let me pick active fragment identifiers in the content.
Is there a way to add fragment identifier based navigation on the same page work with Wagtail's rich text editor?<issue_comment>username_1: To have control over the structure of your page body, it's preferable to encourage users to use heading blocks, rather than headings within the rich text block. Then you can have a heading block type which has two fields, a 'text' and an 'id', and you can [specify a template](http://wagtail.readthedocs.io/en/v2.0/topics/streamfield.html#template-rendering) that outputs the `h` element with the `id` attribute.
```
class Heading2Block(blocks.StructBlock):
heading = blocks.CharBlock(classname='full title')
link_id = blocks.CharBlock(help_text='For making hyperlinks to this heading')
class Meta:
template = 'blocks/h2.html'
```
Put the following in `blocks/h2.html`:
```
{{ value.heading }}
===================
```
In earlier versions of Wagtail it was possible to remove the `h` widget from the Hallo.js rich text editor, and this was a good way of encouraging user adoption of the heading block. Similar restriction is not currently present in Draftail, but there is a [pull request](https://github.com/wagtail/wagtail/pull/4332) which reimplements it.
Upvotes: 0 <issue_comment>username_2: Revisiting my own question a year later because this is still something we need, the solution we came up with is to simply wrap the RichText html serialization, and putting fragment id injection on top:
```py
import re
from django import template
from django.utils.text import slugify
from wagtail.core.rich_text import RichText
# We'll be wrapping the original RichText.__html__(), so make
# sure we have a reference to it that we can call.
__original__html__ = RichText.__html__
# This matches an h1/.../h6, using a regexp that is only
# guaranteed to work because we know that the source of
# the HTML code we'll be working with generates nice
# and predictable HTML code (and note the non-greedy
# "one or more" for the heading content).
heading_re = r"]\*)>(.+?)"
def add\_id\_attribute(match):
"""
This is a regexp replacement function that takes
in the above regex match results, and then turns:
some text
=========
Into:
[some text](#some-text)
=======================
where the id attribute value is generated by running
the heading text through Django's slugify() function.
"""
n = match.group(1)
attributes= match.group(2)
text\_content = match.group(3)
id = slugify(text\_content)
return f'[{text\_content}](#{id})'
def with\_heading\_ids(self):
"""
We don't actually change how RichText.\_\_html\_\_ works, we just replace
it with a function that does "whatever it already did", plus a
substitution pass that adds fragment ids and their associated link
elements to any headings that might be in the rich text content.
"""
html = \_\_original\_\_html\_\_(self)
return re.sub(heading\_re, add\_id\_attribute, html)
# Rebind the RichText's html serialization function such that
# the output is still entirely functional as far as wagtail
# can tell, except with headings enriched with fragment ids.
RichText.\_\_html\_\_ = with\_heading\_ids
```
This works rather well, does not require any hacking in draftail or wagtail, and is very easy to enable/disable simply by loading this code as part of the server startup process (we have it living in our wagtailcustom\_tags.py file, so when Django loads up all template tag sets, the RichText "enrichment" kicks in automatically).
We had initially tried to extend the `... | richtext` template filter, but while that's entirely possible, that only works for custom blocks we ourselves wrote, with our own custom templates, and so turned out to not be a solution given the idea that it should "just work".
Upvotes: 4 [selected_answer] |
2018/03/21 | 1,653 | 5,044 | <issue_start>username_0: I'm working on creating a doubly linked list. I seem to be having issues with the `pushBack` function (supposed to add a node to the end of the list). Somehow it just replaces the first node and points to itself as both the previous and next node. When I go to print the list, it just goes on forever because the next node isn't NULL (because as I said, it's pointing to itself for some reason). Posted below is the entire program. I think I might be having an issue with scope or possible am using the pointers incorrectly.
```
#include
class Node {
public:
Node();
Node(int \*val, Node \*nx = NULL, Node \*prev = NULL) {
value = val; next = nx; previous = prev;
}
void setPrev(Node\* prev) { previous = prev; }
void setNext(Node\* nx) { next = nx; }
void setVal(int\* x) { value = x; }
Node\* getPrev() { return previous; }
Node\* getNext() { return next; }
int\* getVal() { return value; }
private:
int\* value;
Node \*next;
Node \*previous;
};
class LinkedList {
public:
LinkedList() : front(NULL), back(NULL) {}
bool empty() { return front == NULL; }
void pushBack(Node \*nd) {
if (back == NULL) {
front = nd;
back = nd;
}
else {
back->setNext(nd);
nd->setPrev(back);
back = nd;
}
std::cout << "Front: " << \*front->getVal() << std::endl;
std::cout << "Back: " << \*back->getVal() << std::endl;
}
Node\* topFront() { return front; }
void printFront() {
int \*x = front->getVal();
std::cout << \*x << std::endl;
}
void print() {
if (empty()) {
std::cout << "List is empty" << std::endl;
}
else {
std::cout << "Print list" << std::endl;
Node \*x = front;
int count = 1;
// First just print the first element, then the rest
int \*y = front->getVal();
std::cout << count << ": ";
std::cout << \*y << std::endl;
x = x->getNext();
while (x != NULL) {
std::cout << count << ": ";
int \*z = x->getVal(); std::cout << \*z << std::endl;
x = x->getNext();
}
}
}
private:
Node\* front;
Node\* back;
};
int main() {
LinkedList ll;
char input;
char const \*menu = {"Options:\n\n" \
"0. Quit\n" \
"1. Print linked-list\n" \
"2. pushBack -- add to the end of the LinkedList\n"};
while (input != '0') {
std::cout << menu << std::endl;
std::cout << ":";
std::cin >> input;
if (input == '1') {
ll.print();
}
else if (input == '2') {
std::cout << "Value: ";
static int init;
std::cin >> init;
static Node x(&init);
ll.pushBack(&x);
}
}
return 0;
}
```
Below is the input that I used. I printed some values to try to debug the program. You'll notice, I just tried putting the nodes with values 1, 2, 3 and 4 into the list
```
Options:
0. Quit
1. Print linked-list
2. pushBack -- add to the end of the LinkedList
:2
Value: 1
Front: 1
Back: 1
Node Prev: 0
Node Next: 0
Options:
0. Quit
1. Print linked-list
2. pushBack -- add to the end of the LinkedList
:2
Value: 2
Front: 2
Back: 2
Node Prev: 0x602300
Node Next: 0x602300
Options:
0. Quit
1. Print linked-list
2. pushBack -- add to the end of the LinkedList
:2
Value: 3
Front: 3
Back: 3
Node Prev: 0x602300
Node Next: 0x602300
Options:
0. Quit
1. Print linked-list
2. pushBack -- add to the end of the LinkedList
:2
Value: 4
Front: 4
Back: 4
Node Prev: 0x602300
Node Next: 0x602300
Options:
0. Quit
1. Print linked-list
2. pushBack -- add to the end of the LinkedList
:0
```<issue_comment>username_1: As you are using a static variable in below code all your node will have first value you entered.
```
static int init;
std::cin >> init;
static Node x(&init);
```
Correct it like below and try again
```
int *init = new int;
std::cin >> *init;
Node *x = New Node(init);
```
Your pushBack method look good for me. Just make above change and try.
Upvotes: -1 <issue_comment>username_2: There are lots of good tips here, but none so far will solve the fundamental problem: you need to allocate the Node instances on the heap instead of the stack.
To make this easier, I'm going to suggest you store the ints by value instead of a pointer. Change all the places you use int\* to just plain 'int'.
Then change the code to push a node on the back to this:
```
else if (input == '2') {
std::cout << "Value: ";
int init;
std::cin >> init;
Node *x = new Node(init);
ll.pushBack(x);
}
```
I've tested this with your code and it worked for me.
When you do something like this:
```
else if (input == '2') {
std::cout << "Value: ";
int init;
std::cin >> init;
Node x(init);
ll.pushBack(&x);
}
```
You're allocating a Node on the stack, which means as soon as you exit the "else" block the Node 'x' is destroyed and the pointer you added to your list is no longer valid. You need to allocate Node on the heap with the new operator. That will keep the Node alive and in memory until you delete it later.
Speaking of delete -- once you get this part working, you'll want to write a destructor that iterates over all the nodes in your list and deletes them. But for now, I'd focus on getting your other operations correct.
Upvotes: 3 [selected_answer] |
2018/03/21 | 1,581 | 3,560 | <issue_start>username_0: ```
set.seed(123)
dat <- data.frame(day = 1:365, rain = runif(min = 0, max = 5,365),tmean = runif(min = 15, max = 33, 365) )
dat <- dat %>% mutate(mean.daily.rain = mean(rain),mean.daily.tmean = mean(tmean)) %>%
mutate(rain.acc = rain - mean.daily.rain,tmean.acc = tmean - mean.daily.tmean)
```
If I want to find which day of the year the cumsum value of `rain.acc` or `tmean.acc` was the minimum I can do this:
```
dat %>% summarise(which.min(cumsum(rain.acc)))
329
dat %>% summarise(which.min(cumsum(tmean.acc)))
159
```
However, I want to impose a condition that I only want to look at the doy >= 213 and <= 365 i.e. how do I extract the day of year between 213 and 365 with the lowest value of `cumsum(rain.acc)` and `cumsum(tmean.acc)`. Note that `cumsum` has to be calculated over the entire year.<issue_comment>username_1: Can you just subset after taking cumsum but before which.min?
```
dat %>% summarise(which.min(cumsum(rain.acc)[day>=213&day<=365]))
```
Upvotes: 1 <issue_comment>username_2: **Note:** You have to add 212 to get the correct day of the year.
using base R
```
with(dat, which.min(cumsum(rain - mean(rain))[day>=213 & day<=365]) ) + 212 # 329
with(dat, which.min(cumsum(tmean - mean(tmean))[day>=213 & day<=365]) ) + 212 # 248
```
using data.table package
```
library('data.table')
setDT(dat)
# calculate cumsum over the entire year
dat[ , rain.acc := cumsum(rain - mean(rain)) ]
dat[ , tmean.acc := cumsum(tmean - mean(tmean)) ]
# For entire data
dat[ dat[ , which.min( rain.acc) ], ]
# day rain tmean rain.acc tmean.acc
# 1: 329 1.691956 17.52186 -5.548483 13.31113
dat[ dat[ , which.min( tmean.acc) ], ]
# day rain tmean rain.acc tmean.acc
# 1: 159 2.22384 15.67266 0.1829257 -79.17573
# For data within a specified range
dat[ dat[ day >=213 & day <= 365, which.min( rain.acc) + 213 - 1 ], ]
# day rain tmean rain.acc tmean.acc
# 1: 329 1.691956 17.52186 -5.548483 13.31113
dat[ dat[ day >=213 & day <= 365, which.min( tmean.acc) + 213 - 1 ], ]
# day rain tmean rain.acc tmean.acc
# 1: 248 4.846782 15.39589 7.623054 -37.2419
```
Upvotes: 2 <issue_comment>username_3: Apply a filter to possible values using `ifelse()`
```
fun = function(x, i, min, max)
which.min(cumsum(x) * ifelse(i >= min & i <= max, 1, NA))
```
with
```
> fun(dat$tmean.acc, dat$day, 213, 365)
[1] 248
```
or
```
> dat %>% summarize(
rain.min = fun(rain.acc, day, 213, 365),
tmean.min = fun(tmean.acc, day, 213, 365)
)
rain.min tmean.min
1 329 248
```
or
```
> filter(dat, row_number() == fun(tmean.acc, day, 213, 365))
day rain tmean mean.daily.rain mean.daily.tmean rain.acc tmean.acc
1 248 4.846782 15.39589 2.4938 24.03155 2.352982 -8.635665
```
Upvotes: 3 [selected_answer]<issue_comment>username_4: One option is to use `filter` for 1st subset rows and then matching condition with `row_number()` to find exact row as:
```
library(dplyr)
dat %>%
filter(day >= 213 & day <= 365) %>%
filter(row_number() == which.min(cumsum(rain.acc)))
# day rain tmean mean.daily.rain mean.daily.tmean rain.acc tmean.acc
# 1 329 1.691956 17.52186 2.4938 24.03155 -0.8018434 -6.509688
dat %>%
filter(day >= 213 & day <= 365) %>%
filter(row_number() == which.min(cumsum(tmean.acc)))
# day rain tmean mean.daily.rain mean.daily.tmean rain.acc tmean.acc
# 1 248 4.846782 15.39589 2.4938 24.03155 2.352982 -8.635665
```
Upvotes: 1 |
2018/03/21 | 544 | 1,555 | <issue_start>username_0: I have a requirement where I need to access an array element using its function.
For example, I have Array A[], now I want to create array B, such that
```
A[i] === B[i].value()
```
I tried below code but I am getting error as `B[i].value is not a function`
```
function test(A) {
var B = new Array();
for(var i=0; i<A.length; i++) {
B[i] = function value() {
return A[i];
};
}
for(var i=0; i< B.length; i++) {
console.log(B[i].value());
}
return B;
}
A=[1,2,3];
B = test(A);
```
What is the correct way for this?<issue_comment>username_1: You need to assign an object instead:
```
B[i] = {
value: function () {
return A[i];
}
}
```
To avoid any problems with the scope of `i`, you can use the statement **[`let`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Statements/let)**
>
> The let statement declares a block scope local variable, optionally initializing it to a value.
>
>
>
```js
function test(A) {
var B = new Array();
for (let i = 0; i < A.length; i++) {
B[i] = {
value: function() {
return A[i];
}
};
}
for (let k = 0; k < B.length; k++) {
console.log(B[k].value());
}
return B;
}
var B = test([1, 2, 3]);
console.log(B)
```
```css
.as-console-wrapper { max-height: 100% !important; top: 0; }
```
Upvotes: 4 [selected_answer]<issue_comment>username_2: You could make value anonymous e.g. `B[i] = function () { /* Your code */ }` then just call `B[i]()` instead of `B[i].value()`
Upvotes: 1 |
2018/03/21 | 548 | 1,659 | <issue_start>username_0: The list `['a','a #2','a(Old)']` should become `{'a'}` because `'#'` and `'(Old)'` are to be excised and a list of duplicates isn't needed. I struggled to develop a list comprehension with a generator and settled on this since I knew it'd work and valued time more than looking good:
```
l = []
groups = ['a','a #2','a(Old)']
for i in groups:
if ('#') in i: l.append(i[:i.index('#')].strip())
elif ('(Old)') in i: l.append(i[:i.index('(Old)')].strip())
else: l.append(i)
groups = set(l)
```
What's the slick way to get this result?<issue_comment>username_1: You could write this whole expression in a single set comprehension
```
>>> groups = ['a','a #2','a(Old)']
>>> {i.split('#')[0].split('(Old)')[0].strip() for i in groups}
{'a'}
```
This will get everything preceding a `#` and everything preceding `'(Old)'`, then trim off whitespace. The remainder is placed into a set, which only keeps unique values.
Upvotes: 1 <issue_comment>username_2: Here is general solution, if you want to clean elements of list `lst` from parts in `wastes`:
```
lst = ['a','a #2','a(Old)']
wastes = ['#', '(Old)']
cleaned_set = {
min([element.split(waste)[0].strip() for waste in wastes])
for element in arr
}
```
Upvotes: 2 [selected_answer]<issue_comment>username_3: You could define a helper function to apply all of the splits and then use a set comprehension.
For example:
```
lst = ['a','a #2','a(Old)', 'b', 'b #', 'b(New)']
splits = {'#', '(Old)', '(New)'}
def split_all(a):
for s in splits:
a = a.split(s)[0]
return a.strip()
groups = {split_all(a) for a in lst}
#{'a', 'b'}
```
Upvotes: 0 |
2018/03/21 | 1,092 | 4,790 | <issue_start>username_0: Currently I am doing an assignment in which I need to visit database of n number of servers to fetch some results.I have achieved this by iterating through the list of servers and raising tasks each one for each server in the collection. The task calls a function which basically makes an connection with the database,run query and disconnect from database.
My question is I am doing right by making a new connection on each polling with the database and closing it everytime or is this would be the best approach to keep a db connection open and fetch the result and then keep it open on next polling iteration.
PollingServerTimer() is being called by timer everytime.My polling timer is 3 sec.
Something like this :
```
private void PollingServerTimer(object sender, ElapsedEventArgs e)
{
foreach (var item in ServerOperationCollHandler)
{
if (item.RebootStatus != true)
{
PushItemIntoQueue(item);
}
}
}
public void PollingServerQueue()
{
while (isRunning)
{
this.waitHandle.WaitOne();
lock (syncRoot)
{
if (ServerQueue.Count > 0)
{
ServerOperationDataModel obj;
try
{
ServerQueue.TryDequeue(out obj);
Task GetCountFromDbTask = new Task(() => GetCountFromDb(obj));
GetCountFromDbTask.Start();
this.waitHandle.Reset();
}
catch (Exception ex)
{
MessageBox.Show("Problem encountered while finding iterim and recovery count");
isRunning = false;
break;
}
}
}
}
}
public void GetCountFromDb(ServerOperationDataModel obj)
{
ServerOperationDataModel serverObject = (ServerOperationDataModel)obj;
DataBaseHandler dbHandler = new DataBaseHandler(serverObject.DataBaseIP, serverObject.DataBasePort, serverObject.DataBaseName, serverObject.DataUserName, serverObject.DataUserPassword);
int attempts = 0;
do
{
try
{
dbHandler.connect();
}
catch (Exception ex)
{
break;
serverObject.DataBaseConnectionStatus = false;
log.Error("Connection attempt " + attempts + " failed.Retrying connection. Exception details :" + ex.ToString());
attempts++;
}
} while (attempts < _connectiontRetryAttempts && !dbHandler.isConnected());
if (dbHandler.isConnected())
{
/*Fetch Result and then get disconnect*/
dbHandler.disConnect();
}
else
{
//string msgLog = "Server : " + obj.ServerComponentIdentifier + " | " + obj.IPstring + "Connection cannot be established with the DB: " + obj.DataBaseIP + " | "+ obj.DataBasePort + " | " + obj.DataBaseName + " after a series of retries";
//LoggerUpdate.LogMessage(msgLog, LOGTYPE.POLLINGDATABASE, LoggerUpdate.ReturnLogDisplayObject(DateTime.Now, obj.ServerComponentIdentifier + "|" + obj.IPstring, Convert.ToInt16(LOGTYPE.POLLINGDATABASE), obj, msgLog));
}
}
```<issue_comment>username_1: Take a look at the [.NET SqlDependency](https://learn.microsoft.com/en-us/dotnet/framework/data/adonet/sql/detecting-changes-with-sqldependency) object. This allows you to register a query with a database and, using an OnChange handler, receive notification whenever the result of the query changes.
Upvotes: 1 <issue_comment>username_2: I would not be concerned at all. Assuming you connect to the SQL Server (or a similar, enterprise DBMS), database connections are pooled at the client side which means that establishing the connection is costly only the first time the client connects to a particular db (formally: to a new, previously unseen connection string) and then each connection to the same database costs almost nothing.
If it hadn't been for pooling, applications servers would not be able to handle hundreds of concurrent browser connections that query the same data source. You would need much more than a connection every 3 seconds to cause any risk of depleting server or client resources.
You can read more on how pooling works
<https://learn.microsoft.com/en-us/dotnet/framework/data/adonet/sql-server-connection-pooling>
A side note: You should polish your code a little bit.
For example, you have
```
GetCountFromDb(ServerOperationDataModel obj)
```
but then
```
ServerOperationDataModel serverObject = (ServerOperationDataModel)obj;
```
Why would you need to cast the `obj` to another variable of the very same type?
In the `catch` clause, you have `break` and some code below it which looks unreachable.
Upvotes: 3 [selected_answer] |
2018/03/21 | 578 | 2,194 | <issue_start>username_0: Firstly, I want to be able to specify a value, n, which results in a particular nxn matrix being produced:
To do this I used the code:
```
n = __
np.eye (n)
```
Which will produce the identity matrix of the specified dimension, n.
However, I do not want to create the identity matrix precisely. Instead, I want to create the nxn matrix with entries that are equal to the column number of the particular entry.
Can I use np.eye(n) as a basis to solve my problem?
For example if I set n=3, I wish my code to form:
```
[1 , 2 , 3]
[1 , 2 , 3]
[1, 2 , 3]
```
Thank you<issue_comment>username_1: Take a look at the [.NET SqlDependency](https://learn.microsoft.com/en-us/dotnet/framework/data/adonet/sql/detecting-changes-with-sqldependency) object. This allows you to register a query with a database and, using an OnChange handler, receive notification whenever the result of the query changes.
Upvotes: 1 <issue_comment>username_2: I would not be concerned at all. Assuming you connect to the SQL Server (or a similar, enterprise DBMS), database connections are pooled at the client side which means that establishing the connection is costly only the first time the client connects to a particular db (formally: to a new, previously unseen connection string) and then each connection to the same database costs almost nothing.
If it hadn't been for pooling, applications servers would not be able to handle hundreds of concurrent browser connections that query the same data source. You would need much more than a connection every 3 seconds to cause any risk of depleting server or client resources.
You can read more on how pooling works
<https://learn.microsoft.com/en-us/dotnet/framework/data/adonet/sql-server-connection-pooling>
A side note: You should polish your code a little bit.
For example, you have
```
GetCountFromDb(ServerOperationDataModel obj)
```
but then
```
ServerOperationDataModel serverObject = (ServerOperationDataModel)obj;
```
Why would you need to cast the `obj` to another variable of the very same type?
In the `catch` clause, you have `break` and some code below it which looks unreachable.
Upvotes: 3 [selected_answer] |
2018/03/21 | 664 | 2,829 | <issue_start>username_0: We process credit card transactions in our app. Whenever there is any transaction declined or any error we will go back to previous screen and we ask the customer to use another credit card.
PaymentController.m
```
[sharedVtp processSaleRequest:saleRequest
completionHandler:^(VTPSaleResponse* response)
{
[self saleRequestComplete:response];
}
errorHandler:^(NSError* error)
{
dispatch_async(dispatch_get_main_queue(), ^{
UIAlertView *alert = [[UIAlertView alloc]initWithTitle:@"Your transaction is declined" message:@"Please use another card and proceed" delegate:nil cancelButtonTitle:@"OK" otherButtonTitles:nil, nil];
[alert show];
[self.navigationController popViewControllerAnimated:YES];
});
}];
```
The control goes back to the previous screen, but the screen is frozen. We cannot click on any buttons on that screen.<issue_comment>username_1: You are showing an alert. Alerts are modal; the user cannot tap anything else but the alert while the alert is present. So just show the alert and *stop*. The user must now interact with the alert. Don't try to do anything else until the user *dismisses* the alert. *Then* you can navigate elsewhere.
And stop using UIAlertView. You should be using UIAlertController.
Upvotes: 0 <issue_comment>username_2: As others have noted, [`UIAlertView`](https://developer.apple.com/documentation/uikit/uialertview) is ***hella*** deprecated and you should be using [`UIAlertController`](https://developer.apple.com/documentation/uikit/uialertcontroller?language=objc). Also, as noted you cannot show an alert and then pop the view while the alert is showing.
Here is how you could fix it (replacing what is inside your main queue block):
```
UIAlertController *alert = [UIAlertController alertControllerWithTitle: @"Your transaction is declined"
message:@"Please use another card and proceed"
preferredStyle: UIAlertControllerStyleAlert];
[alert addAction: [UIAlertAction actionWithTitle: @"OK" style: UIAlertActionStyleDefault handler: ^(UIAlertAction *action) {
[self.navigationController popViewControllerAnimated:YES];
}]];
[self presentViewController: alert animated: YES completion: nil];
```
Note how the pop call is now only called in the action handler for the `UIAlertController`, which means it will only be called *after* the user has pressed the OK button.
Depending on what you want to do, you could also use a `UIAlertController` in a toast-like style, where you don't add any `UIAlertAction`s and instead you call dismiss on the alert controller a few seconds after it presents (in the completion block of the `presentViewController` call, using a dispatch after call).
Upvotes: 2 |
2018/03/21 | 844 | 3,299 | <issue_start>username_0: I have a mobile app built on Ionic 3, using Firebase and FCM plugin to send notifications.
I have 2 problems :
1. The badge never appears (tested on iOs and Android) (but the notifications are working normally)
2. When I click on the notification, I am re-directed to my application's home page. But I would like to be re-directed on a specific page of my application. Apparently, that should be specified by changing the "activity" on the "click\_action" parameter, however my app doesn't have any activity.
Thanks for your help.
Here is my code :
```
sendNotif(){
this.postRequest()
var headers = new Headers();
headers.append("Accept", 'application/json');
headers.append('Content-Type', 'application/json');
headers.append('Authorization', 'key=xxxxx:xxxx')
let options = new RequestOptions({ headers: headers });
let postParams = {
"notification": {
"title": "Mon-appli",
"body": "Nouvelle réservation",
"sound": "default",
"click_action": "FCM_PLUGIN_ACTIVITY",
"icon": "fcm_push_icon"
},
"data": {
"param1": "value1",
"param2": "value2"
},
"to": "/topics/all",
"priority": "high",
"restricted_package_name": ""
}
this.http.post("https://fcm.googleapis.com/fcm/send", postParams, options)
.subscribe(data => {
this.nb_notif = this.nb_notif +1;
}, error => {});
}
```<issue_comment>username_1: You are showing an alert. Alerts are modal; the user cannot tap anything else but the alert while the alert is present. So just show the alert and *stop*. The user must now interact with the alert. Don't try to do anything else until the user *dismisses* the alert. *Then* you can navigate elsewhere.
And stop using UIAlertView. You should be using UIAlertController.
Upvotes: 0 <issue_comment>username_2: As others have noted, [`UIAlertView`](https://developer.apple.com/documentation/uikit/uialertview) is ***hella*** deprecated and you should be using [`UIAlertController`](https://developer.apple.com/documentation/uikit/uialertcontroller?language=objc). Also, as noted you cannot show an alert and then pop the view while the alert is showing.
Here is how you could fix it (replacing what is inside your main queue block):
```
UIAlertController *alert = [UIAlertController alertControllerWithTitle: @"Your transaction is declined"
message:@"Please use another card and proceed"
preferredStyle: UIAlertControllerStyleAlert];
[alert addAction: [UIAlertAction actionWithTitle: @"OK" style: UIAlertActionStyleDefault handler: ^(UIAlertAction *action) {
[self.navigationController popViewControllerAnimated:YES];
}]];
[self presentViewController: alert animated: YES completion: nil];
```
Note how the pop call is now only called in the action handler for the `UIAlertController`, which means it will only be called *after* the user has pressed the OK button.
Depending on what you want to do, you could also use a `UIAlertController` in a toast-like style, where you don't add any `UIAlertAction`s and instead you call dismiss on the alert controller a few seconds after it presents (in the completion block of the `presentViewController` call, using a dispatch after call).
Upvotes: 2 |
2018/03/21 | 397 | 1,519 | <issue_start>username_0: I have been receiving messages that GitHub found known dependency vulnerability in my Gemfile.lock, this is loofah (2.0.3) and Nokogiri (1.7.0.1) but these gems are dependencies I did not specifically asked for (other gems do depend on them) in my Gemfile, so, what can I do?<issue_comment>username_1: You can go into your gemfile.lock and see which libraries are requiring these gems a dependencies. Then you can proceed to update replace or remove those libraries until you no longer have vulnerabilities.
Upvotes: 0 <issue_comment>username_2: In your `Gemfile.lock`, you can see which one of your dependencies pulls in those libraries, and what their version constraint is.
```
rails-html-sanitizer (1.0.3)
loofah (~> 2.0)
```
With Rails, `loofah` is required by `rails-html-sanitizer` and the version must just be greater than `2.0`. If a version is locked, the `Gemfile.lock` will read `= 2.0`.
Since it is not locked, you can use `bundle update loofah` to install a more recent version that does not suffer from the security vulnerability. Or `bundle update` if you want to update all gems...
Should a version to locked, you have to check if the gem that declares the dependency has a newer version that updates its locked dependency (e.g. a new version of `rails-html-sanitizier` that updates `loofah`). With security issues, these updates normally happen pretty quickly. You would then update `rails-html-sanitizier` to get a new version of `loofah`.
Upvotes: 4 [selected_answer] |
2018/03/21 | 464 | 1,789 | <issue_start>username_0: I need to know if at least one of two processes are running, let's call them "process1" and "process2". Don't need to know which one is running.
I'd like to know what's the faster code and with less resource impact.
Actually I'm using:
```
Dim RunningProcesses() As Process
Dim IsRunning As Boolean = False
RunningProcesses = Process.GetProcessesByName("process1")
If RunningProcesses.Count > 1 Then
IsRunning = True
End If
RunningProcesses = Process.GetProcessesByName("process2")
If RunningProcesses.Count > 1 Then
IsRunning = True
End If
```
Thanks for the help!<issue_comment>username_1: ```
Dim IsRunning As Boolean = False
If Process.GetProcessesByName("process1").Count > 0 Then
IsRunning = True
else
If Process.GetProcessesByName("process2").Count > 0 Then
IsRunning = True
End If
End If
```
This way you don't run the second check if the first delivers true already. And IMO it has to be Count > 0...oh, and did not test it, just out of my head
Upvotes: -1 <issue_comment>username_2: If you want a function which you can pass process names to, you could do something like
```
Imports System.Diagnostics
Module Module1
Function IsAnyProcessRunning(procNames As List(Of String)) As Boolean
Return Process.GetProcesses.Any(Function(proc) procNames.Any(Function(n) String.Compare(n, proc.ProcessName, StringComparison.InvariantCultureIgnoreCase) = 0))
End Function
Sub Main()
Dim procs As New List(Of String) From {"devenv", "Firefox"}
Console.WriteLine(IsAnyProcessRunning(procs))
Console.ReadLine()
End Sub
End Module
```
I made it so that the process name is not case-sensitive as I found that "Firefox" is actually "firefox" in the process name.
Upvotes: 0 |
2018/03/21 | 509 | 1,973 | <issue_start>username_0: I have got a function that sets features and want to have two versions of it. One takes all features and splits them into words and phrases and the second one receives already split words and phrases as arguments
```
def set_features_2(self, words, phrases):
self.vocabulary = set(words)
self.phrases = SortedSet(phrases)
def set_features(self, features):
phrases = [f for f in features if ' ' in f]
words = [f for f in features if f not in phrases]
self.set_features_2(words, phrases)
```
What is the easiest way to remove this duplication? Both of them should be called "set\_features" but both receive a different set of arguments.
I know that it is possible to use args and kwargs but it is an overkill for such as trivial case.<issue_comment>username_1: Python allows default arguments.
```
def set_features(self, features=None, words=None, phrases=None):
if features is not None:
phrases = [f for f in features if ' ' in f]
words = [f for f in features if f not in phrases]
self.vocabulary = set(words)
self.phrases = SortedSet(phrases)
```
you could then call it with `set_features(features=features)` or `set_features(words=words, phrases=phrases)`
Upvotes: 1 <issue_comment>username_2: You can't overload function arguments per se, but you can emulate this behavior with keyword arguments. The slightly annoying part is that you'd have to handle the validity checks (i.e., that the user doesn't pass both `features` and `words` and `phases`). E.g.:
```
def set_features(self, features = None, words = None, phrases = None):
if features:
if words or phrases:
raise ValueError('Either pass features or words and phrases')
else:
phrases = [f for f in features if ' ' in f]
words = [f for f in features if f not in phrases]
self.vocabulary = set(words)
self.phrases = SortedSet(phrases)
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 664 | 2,526 | <issue_start>username_0: I have a application which takes some really big delimited files (~10 to 15 M records) and ingest it into Kafka after doing some preprocessing. As a part of this preprocessing we convert the delimited records into json and add metadata to that json message (FileName, Row number). We are doing it using the Json4s Native serializer like below:
```
import org.json4s.native.Serialization._
//some more code and below is the final output.
write(Map(
"schema" -> schemaName,
"data" -> List(resultMap),
"flag" -> "I")
)
```
Once the message is converted to Json we add message metadata like:
```
def addMetadata(msg: String, metadata: MessageMetadata): String = {
val meta = write(asJsonObject(metadata))
val strippedMeta = meta.substring(1, meta.length -1)
val strippedMessage = msg.substring(1, msg.lastIndexOf("}"))
"{" + strippedMessage + "," + strippedMeta + "}"
msg
}
```
The final message looks like this at the end:
```
{"schema":"SchemaName"
"data": [
],
"flag": "I",
"metadata":{"srcType":"file","fileName":"file","line":1021}}
```
Now both of this methods are leaking some memory and throwing below error. The application have capacity of processing 300k messages per minute but after around 4-5 mins its slowing down and eventually dies. I know string concatenation generates lots of garbage objects and want to know what is the best way of doing it?
>
> java.lang.OutOfMemoryError: GC overhead limit exceeded
>
>
><issue_comment>username_1: Try to use Stringbuilder, you can avoid creating unnecessary objects.
[Is string concatenation in scala as costly as it is in Java?](https://stackoverflow.com/questions/8608664/is-string-concatenation-in-scala-as-costly-as-it-is-in-java)
Upvotes: 2 <issue_comment>username_2: When producing tons of such short messages, then there'll tons of tiny short-living objects created. Such tiny short-living objects are something the GC can handle very efficiently - *it's very improbable that it could cause any serious problems.*
The message
>
> java.lang.OutOfMemoryError: GC overhead limit exceeded
>
>
>
means that GC was working very hard without any success. That's not what happens with tiny short-living objects. Most probably, you have a big memory leak which takes away all of your memory after a few minutes. Then the GC has to fail as there's nothing to reclaim.
Don't waste time on optimizing something which may be harmless. Use some tool to find the leak instead.
Upvotes: 3 [selected_answer] |
2018/03/21 | 462 | 1,703 | <issue_start>username_0: I tried inserting two record with all same values for columns in Primary Key in a Cassandra table and insert was successful. I am new to Cassandra and thought Primary Keys in Cassandra would not allow duplicate insertion. Is that incorrect? Following are the columns in my Primary key
PRIMARY KEY ((customer\_id, source\_id ), status\_code, create\_timestamp, modified\_timestamp)
Following is how I am inserting
```
insert into testkeyspace.customers
(customer_id, source_id, status_code,
create_timestamp, modified_timestamp)
value ('123e4567-e89b-12d3-a456-426655440000',
1122334455, 0, toTimestamp(now()), toTimestamp(now()));
```<issue_comment>username_1: Try to use Stringbuilder, you can avoid creating unnecessary objects.
[Is string concatenation in scala as costly as it is in Java?](https://stackoverflow.com/questions/8608664/is-string-concatenation-in-scala-as-costly-as-it-is-in-java)
Upvotes: 2 <issue_comment>username_2: When producing tons of such short messages, then there'll tons of tiny short-living objects created. Such tiny short-living objects are something the GC can handle very efficiently - *it's very improbable that it could cause any serious problems.*
The message
>
> java.lang.OutOfMemoryError: GC overhead limit exceeded
>
>
>
means that GC was working very hard without any success. That's not what happens with tiny short-living objects. Most probably, you have a big memory leak which takes away all of your memory after a few minutes. Then the GC has to fail as there's nothing to reclaim.
Don't waste time on optimizing something which may be harmless. Use some tool to find the leak instead.
Upvotes: 3 [selected_answer] |
2018/03/21 | 3,029 | 10,770 | <issue_start>username_0: I am making a financial application and I would like to display a running total for the balance in my view, similar to how most online banking platforms work. I am not sure how to do this. I store credits as positive numbers and debits as negative numbers in my database. So I would basically need to sort by date, and add the amounts cumulatively for a new column in my view to display the running balance.
In my model I have defined this, based on lots of searching here:
```
def running_total
running_total = self.inject(0) { |sum, p| sum + p.amount }
end
```
But it does not seem to be working. I get the error:
>
> undefined method `inject' for #
> Did you mean? inspect
>
>
>
Any ideas would be appreciated, thanks!
Updates:
========
Per the advice of @spickermann, I have made some updates to my code, and the running balance is now being calculated properly when creating a new transaction or modifying an old one, but I am still having trouble getting the subsequent records to update the running balance when editing a previous transaction. As seen in the console, the previous\_transaction method is getting fired to select transactions later than the one I'm editing, but the value is not getting updated in the database.
**transaction.rb**
```
class Transaction < ApplicationRecord
belongs_to :account
attr_accessor :trx_type
#default_scope { order('trx_date, id DESC') }
validates_presence_of :trx_type, :message => "Please select debit or credit"
validates :trx_date, presence: true
validates :description, presence: true, length: { maximum: 150 }
validates :amount, presence: true, numericality: { greater_than_or_equal_to: 0 }
validates :memo, length: { maximum: 500 }
before_save :convert_amount, :set_running_balance
after_create :update_account_balance_new
after_update :update_account_balance_edit
after_destroy :update_account_balance_destroy
after_save :recalculate_running_balance, on: :update
scope :desc, -> { order('trx_date, id DESC') }
# Determine the transaction_type for existing records based on amount
def transaction_type
if !new_record?
if self.amount >= 0
return ['Credit', 'credit']
else
return ['Debit', 'debit']
end
else
return ['Debit', 'debit']
end
end
private
def set_running_balance
previous_balance = previous_transaction.try(:running_balance) || 0
self.running_balance = previous_balance + amount
end
def recalculate_running_balance
# this will recursively trigger the `recalculate_next_running_balance`
# callback on the following transactions and thereby update all later
# transactions
next_transaction.try(:save)
end
def previous_transaction
scope = Transaction.where(account: account).order(:id)
scope = scope.where('id < ?', id) if persisted?
scope.last
end
def next_transaction
return if new_record?
Transaction.where(account: account).where('id > ?', id).order(:id).first
end
def convert_amount
if self.trx_type == "debit"
self.amount = -self.amount.abs
end
end
def update_account_balance_new
@account = Account.find(account_id)
@account.update_attributes(current_balance: @account.current_balance + amount)
end
def update_account_balance_edit
@account = Account.find(account_id)
if saved_change_to_amount?
@account.update_attributes(current_balance: @account.current_balance - amount_was + amount)
end
end
def update_account_balance_destroy
@account = Account.find(account_id)
@account.update_attributes(current_balance: @account.current_balance - amount_was)
end
end
```
**Console**
```
Processing by TransactionsController#update as HTML
Parameters: {"utf8"=>"✓", "authenticity_token"=>"9GuEIo7a7OUAMA3O26keE8zOlptfzd+F9Enp43hl0A7sh/5ioTDAud0AzLriOWiquU+wbyOoDgK8o6z9OZyLzA==", "transaction"=>{"trx_type"=>"debit", "trx_date(1i)"=>"2018", "trx_date(2i)"=>"3", "trx_date(3i)"=>"26", "description"=>"Meijer", "amount"=>"100.00", "memo"=>""}, "commit"=>"Update Transaction", "account_id"=>"3", "id"=>"21"}
User Load (0.5ms) SELECT "users".* FROM "users" WHERE "users"."id" = $1 ORDER BY "users"."id" ASC LIMIT $2 [["id", 1], ["LIMIT", 1]]
Account Load (0.5ms) SELECT "accounts".* FROM "accounts" WHERE "accounts"."user_id" = $1 AND "accounts"."id" = $2 LIMIT $3 [["user_id", 1], ["id", 3], ["LIMIT", 1]]
Transaction Load (0.4ms) SELECT "transactions".* FROM "transactions" WHERE "transactions"."account_id" = $1 AND "transactions"."id" = $2 LIMIT $3 [["account_id", 3], ["id", 21], ["LIMIT", 1]]
(0.1ms) BEGIN
Transaction Load (0.4ms) SELECT "transactions".* FROM "transactions" WHERE "transactions"."account_id" = 3 AND (id < 21) ORDER BY "transactions"."id" DESC LIMIT $1 [["LIMIT", 1]]
SQL (0.7ms) UPDATE "transactions" SET "amount" = $1, "running_balance" = $2, "updated_at" = $3 WHERE "transactions"."id" = $4 [["amount", "-100.0"], ["running_balance", "1800.0"], ["updated_at", "2018-03-26 15:14:53.354282"], ["id", 21]]
Account Load (0.2ms) SELECT "accounts".* FROM "accounts" WHERE "accounts"."id" = $1 LIMIT $2 [["id", 3], ["LIMIT", 1]]
DEPRECATION WARNING: The behavior of `attribute_was` inside of after callbacks will be changing in the next version of Rails. The new return value will reflect the behavior of calling the method after `save` returned (e.g. the opposite of what it returns now). To maintain the current behavior, use `attribute_before_last_save` instead. (called from update_account_balance_edit at /home/sitheris/dev/railsapps/olubalance/app/models/transaction.rb:85)
DEPRECATION WARNING: The behavior of `attribute_changed?` inside of after callbacks will be changing in the next version of Rails. The new return value will reflect the behavior of calling the method after `save` returned (e.g. the opposite of what it returns now). To maintain the current behavior, use `saved_change_to_attribute?` instead. (called from update_account_balance_edit at /home/sitheris/dev/railsapps/olubalance/app/models/transaction.rb:85)
DEPRECATION WARNING: The behavior of `changed_attributes` inside of after callbacks will be changing in the next version of Rails. The new return value will reflect the behavior of calling the method after `save` returned (e.g. the opposite of what it returns now). To maintain the current behavior, use `saved_changes.transform_values(&:first)` instead. (called from update_account_balance_edit at /home/sitheris/dev/railsapps/olubalance/app/models/transaction.rb:85)
User Load (0.3ms) SELECT "users".* FROM "users" WHERE "users"."id" = $1 LIMIT $2 [["id", 1], ["LIMIT", 1]]
SQL (0.3ms) UPDATE "accounts" SET "current_balance" = $1, "updated_at" = $2 WHERE "accounts"."id" = $3 [["current_balance", "1200.0"], ["updated_at", "2018-03-26 15:14:53.358782"], ["id", 3]]
NEXT TRANSACTION
Transaction Load (0.3ms) SELECT "transactions".* FROM "transactions" WHERE "transactions"."account_id" = 3 AND (id > 21) ORDER BY "transactions"."id" ASC LIMIT $1 [["LIMIT", 1]]
Account Load (0.2ms) SELECT "accounts".* FROM "accounts" WHERE "accounts"."id" = $1 LIMIT $2 [["id", 3], ["LIMIT", 1]]
(3.5ms) COMMIT
Redirected to http://localhost:3000/accounts/3/transactions/21
Completed 302 Found in 22ms (ActiveRecord: 7.4ms)
```<issue_comment>username_1: Assuming a `Transaction` is one single transaction for a user, you'd want to do something like:
`current_user.transactions.pluck(:amount).sum`
Upvotes: 1 <issue_comment>username_2: I would store the running total in the database next to the debits and credits.
Why?
1. You do not want to recalculate the running total on every page view.
2. You do not want to calculate the current running total starting from a 0 years ago when all you want is the today's balance.
That said: Optimize for reading your data and calculate the balance when you save a new debit or credit row into your database.
To implement a calculation-on-save just basically need to change two things:
A migration to add a balance column and to backfill existing records. The format of the column (integer, decimal) depends on your setup, same for how to scope the backfill (I assume by a user):
```
def up
add_column :transactions, :balance, :integer
# This is just a quick and dirty implementation and will run very
# slowly. But for a few thousand records it might be fast enough.
User.find_each { |user| user.transactions.first.try(:save) }
change_column_null :transactions, :balance, false
end
def down
drop_column :transactions, :balance
end
```
And two callback in your model:
```
before_save :set_running_balance
after_save :recalculate_running_balance, on: :update
private
def set_running_balance
previous_balance = previous_transaction_for_user.try(:balance) || 0
self.balance = previous_balance + amount
end
def recalculate_running_balance
# this will recursively trigger the `recalculate_next_running_balance`
# callback on the following transactions and thereby update all later
# transactions
next_transaction_for_user.try(:save)
end
def previous_transaction_for_user
scope = Transaction.where(user: user).order(:id)
scope = scope.where('id < ?', id) if persisted?
scope.last
end
def next_transaction_for_user
return if new_record?
Transaction.where(user: user).where('id > ?', id).order(:id).first
end
```
With these changes, you should be able to present a running balance even on paginated or filtered pages with a simple `<%= transaction.balance %>`.
Upvotes: 2 [selected_answer]<issue_comment>username_3: I tried the suggestion about using pluck but I couldn't get it to work. I may consider moving this logic to a database column but I feel that would be more complex than the solution I came up with. I ended up doing this in my view to achieve what I need. If there's a better way of doing this in the model or somewhere else I'm open to advice. Thanks!
```
<% @running_balance = 0 %>
<% @transactions.each do |transaction| %>
<% @running_balance = @running_balance + transaction.amount %>
| <%= link\_to transaction.id, [transaction.account, transaction] %> | <%= transaction.trx\_date.strftime('%m/%d/%Y') %> | <%= transaction.description %> | <%= if transaction.amount >= 0 then number\_to\_currency(transaction.amount) end %> | <%= if transaction.amount < 0 then "(" + number\_to\_currency(transaction.amount.abs) + ")" end %> | <%= number\_to\_currency(@running\_balance) %> |
<% end %>
```
Upvotes: 0 |
2018/03/21 | 641 | 1,842 | <issue_start>username_0: How to remove noises from word (or sequence of words) edges. By noises I mean: `'s`, `'re`, `.`, `?`, `,`, `;`, etc. In other words, **punctuation** and **abbreviations**. But it needs to be only from left and right edges, noises within word should remain.
examples:
```
Apple. Apple
Donald Trump's Trump
They're They
I'm I
¿Hablas espanol? Hablas espanhol
$12 12
H4ck3r H4ck3r
What's up What's up
```
So basically remove apostrophes, verb abbreviations and punctuation but only for the string edges (right/left). It seems `strip` doesn't work with full matches and couldn't find `re` suitable method only for edges.<issue_comment>username_1: What about
```
import re
strings = ['Apple.', "Trump's", "They're", "I'm", "¿Hablas", "$12", "H4ck3r"]
rx = re.compile(r'\b\w+\b')
filtered = [m.group(0) for string in strings for m in [rx.search(string)] if m]
print(filtered)
```
Yielding
```
['Apple', 'Trump', 'They', 'I', 'Hablas', '12', 'H4ck3r']
```
Instead of eating something away from the left or right, it simply takes the first match of word characters (i.e. `[a-zA-Z0-9_]`).
---
To apply it "in the wild", you could split the sentence first, like so:
```
sentence = "Apple. Trump's They're I'm ¿Hablas $12 H4ck3r"
rx = re.compile(r'\b\w+\b')
filtered = [m.group(0) for string in sentence.split() for m in [rx.search(string)] if m]
print(filtered)
```
This obviously yields the same list as above.
Upvotes: 2 <issue_comment>username_2: Use pandas:
```
import pandas as pd
s = pd.Series(['Apple.', "Trump's", "They're", "I'm", "¿Hablas", "$12", "H4ck3r"])
s.str.extract(r'(\w+)')
```
Output:
```
0 Apple
1 Trump
2 They
3 I
4 Hablas
5 12
6 H4ck3r
Name: 0, dtype: object
```
Upvotes: 0 |
2018/03/21 | 5,387 | 16,302 | <issue_start>username_0: I'm trying to run `npm install` in the angular project folder I got from [ASP.NET Boilerplate](https://aspnetboilerplate.com/Pages/Documents/Zero/Startup-Template-Angular) and I'm getting an error that is "related to npm not being able to find a file."
```
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>npm install
npm WARN deprecated @types/[email protected]: This is a stub types definition for Moment (https://github.com/moment/moment). Moment provides its own type definitions, so you don't need @types/moment installed!
npm WARN [email protected] requires a peer of @angular/compiler@^2.3.1 || >=4.0.0-beta <5.0.0 but none is installed. You must install peer dependencies yourself.
npm WARN [email protected] requires a peer of @angular/core@^2.3.1 || >=4.0.0-beta <5.0.0 but none is installed. You must install peer dependencies yourself.
npm WARN optional SKIPPING OPTIONAL DEPENDENCY: [email protected] (node_modules\fsevents):
npm WARN optional SKIPPING OPTIONAL DEPENDENCY: Error: EPERM: operation not permitted, rename 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\.staging\fsevents-8cc0601e\node_modules\are-we-there-yet' -> 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\.staging\are-we-there-yet-cedb4a6a'
npm ERR! path D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\typescript
npm ERR! code ENOENT
npm ERR! errno -4058
npm ERR! syscall rename
npm ERR! enoent ENOENT: no such file or directory, rename 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\typescript' -> 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\.typescript.DELETE'
npm ERR! enoent This is related to npm not being able to find a file.
npm ERR! enoent
npm ERR! A complete log of this run can be found in:
npm ERR! C:\Users\Jack\AppData\Roaming\npm-cache\_logs\2018-03-21T19_33_18_250Z-debug.log
```
I can clearly see that this is happening because my `node_modules` subfolder contains only a single folder structure with no files within it. That structure is:
```
node_modules\@angular-devkit\build-optimizer\node_modules
```
I have node 8.9.4, npm 5.6.0, and angular-CLI 1.5.0 installed as well as typescript 2.0.0. The latter two packages have been installed globally.
Here are the `package.json` file contents:
```
{
"name": "MyProject",
"version": "0.0.0",
"license": "MIT",
"angular-cli": {},
"scripts": {
"ng": "ng",
"start": "ng serve --host 0.0.0.0 --port 4200",
"hmr": "ng serve --host 0.0.0.0 --port 4200 4201 --hmr -e=hmr",
"test": "ng test",
"pree2e": "webdriver-manager update --standalone false --gecko false",
"e2e": "protractor"
},
"private": true,
"dependencies": {
"@angular/animations": "^5.0.3",
"@angular/common": "^5.0.3",
"@angular/compiler": "^5.0.3",
"@angular/core": "^5.0.3",
"@angular/forms": "^5.0.3",
"@angular/http": "^5.0.3",
"@angular/platform-browser": "^5.0.3",
"@angular/platform-browser-dynamic": "^5.0.3",
"@angular/router": "^5.0.3",
"@aspnet/signalr": "1.0.0-preview1-28189",
"@types/bootstrap": "^3.3.33",
"@types/jquery": "^3.2.12",
"@types/jquery.blockui": "0.0.28",
"@types/jquery.validation": "^1.16.3",
"@types/lodash": "^4.14.62",
"@types/moment": "^2.13.0",
"@types/moment-timezone": "^0.2.34",
"@types/signalr": "^2.2.33",
"@types/toastr": "^2.1.33",
"abp-ng2-module": "^1.3.0",
"abp-web-resources": "^3.3.0",
"animate.css": "^3.5.2",
"block-ui": "^2.70.1",
"bootstrap": "^3.3.7",
"bootstrap-select": "^1.12.2",
"chart.js": "^2.6.0",
"core-js": "^2.4.1",
"famfamfam-flags": "^1.0.0",
"flot": "^0.8.0-alpha",
"font-awesome": "^4.7.0",
"jquery": "^3.1.1",
"jquery-countto": "^1.2.0",
"jquery-migrate": "^3.0.0",
"jquery-slimscroll": "^1.3.8",
"jquery-sparkline": "^2.4.0",
"js-cookie": "^2.1.4",
"lodash": "^4.17.4",
"moment": "^2.18.1",
"moment-timezone": "^0.5.13",
"morris.js": "^0.5.0",
"ngx-bootstrap": "^2.0.2",
"ngx-pagination": "^3.0.3",
"node-waves": "^0.7.5",
"push.js": "1.0.4",
"raphael": "^2.2.7",
"rxjs": "^5.5.2",
"signalr": "^2.2.1",
"simple-line-icons": "^2.4.1",
"spin.js": "^2.3.2",
"sweetalert": "^2.0.8",
"toastr": "^2.1.2",
"ts-helpers": "^1.1.2",
"web-animations-js": "^2.3.1",
"zone.js": "0.8.18"
},
"devDependencies": {
"@angular/cli": "^1.5.4",
"@angular/compiler-cli": "^5.0.3",
"@angularclass/hmr": "^2.1.3",
"@types/jasmine": "^2.5.38",
"@types/node": "^8.0.27",
"codelyzer": "^3.1.2",
"jasmine-core": "^2.5.2",
"jasmine-spec-reporter": "^4.2.1",
"karma": "^1.4.1",
"karma-chrome-launcher": "^2.0.0",
"karma-cli": "^1.0.1",
"karma-coverage-istanbul-reporter": "^1.3.0",
"karma-jasmine": "^1.1.0",
"karma-jasmine-html-reporter": "^0.2.2",
"nswag": "^11.12.7",
"protractor": "^5.1.1",
"ts-node": "^3.3.0",
"tslint": "^5.7.0",
"typescript": "2.4.2"
}
}
```
When I run `npm install`, I can see the packages being downloaded into the `.staging` folder. At the point that the `finalize` command is run (see the log below), I can see that the package folders are being consolidated and copied somewhere, but that somewhere does not appear to be my `node_modules` subfolder other than the first set of subfolders as I have shown above. When the `npm install` completes, the `.staging` folder is deleted and all that I have left is that partial folder structure.
Admittedly I am new to Node development - I usually work on our ASP.NET Web API backends. I'm trying to get my development environment in sync with our front-end developer's development environment. I have spent most of the day looking for a solution. I've tried uninstalling and reinstalling Node. I've tried different versions that match our front-end developer's environment. I've tried using the latest versions of angular-CLI and typescript and have fallen back to the versions I reference above in hopes that the "requires a peer" warnings would be resolved. I have searched for similar answers on this site. [The closest one I have found](https://stackoverflow.com/questions/48201493/how-to-solve-node-modules-are-empty) remains unanswered.
Here is the end of the "complete log" referenced in the npm error output:
```
19577 silly saveTree | `-- [email protected]
19577 silly saveTree +-- [email protected]
19577 silly saveTree +-- [email protected]
19577 silly saveTree `-- [email protected]
19578 warn [email protected] requires a peer of @angular/compiler@^2.3.1 || >=4.0.0-beta <5.0.0 but none is installed. You must install peer dependencies yourself.
19579 warn [email protected] requires a peer of @angular/core@^2.3.1 || >=4.0.0-beta <5.0.0 but none is installed. You must install peer dependencies yourself.
19580 warn optional SKIPPING OPTIONAL DEPENDENCY: [email protected] (node_modules\fsevents):
19581 warn optional SKIPPING OPTIONAL DEPENDENCY: Error: EPERM: operation not permitted, rename 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\.staging\fsevents-8cc0601e\node_modules\are-we-there-yet' -> 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\.staging\are-we-there-yet-cedb4a6a'
19582 verbose optional SKIPPING OPTIONAL DEPENDENCY:
19582 verbose optional Please try running this command again as root/Administrator.
19583 verbose stack Error: ENOENT: no such file or directory, rename 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\typescript' -> 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\.typescript.DELETE'
19584 verbose cwd D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular
19585 verbose Windows_NT 10.0.16299
19586 verbose argv "C:\\Program Files\\nodejs\\node.exe" "C:\\Program Files\\nodejs\\node_modules\\npm\\bin\\npm-cli.js" "install"
19587 verbose node v8.9.4
19588 verbose npm v5.6.0
19589 error path D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\typescript
19590 error code ENOENT
19591 error errno -4058
19592 error syscall rename
19593 error enoent ENOENT: no such file or directory, rename 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\typescript' -> 'D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular\node_modules\@angular-devkit\build-optimizer\node_modules\.typescript.DELETE'
19594 error enoent This is related to npm not being able to find a file.
19595 verbose exit [ -4058, true ]
```
Please advise.<issue_comment>username_1: I had the SAME issue today and it was driving me nuts!!! What I had done was upgrade to node 8.10 and upgrade my NPM to the latest I uninstalled angular CLI
```
npm uninstall -g angular-cli
npm uninstall --save-dev angular-cli
```
I then verified my Cache from NPM if it wasn't up to date I cleaned it and ran the install again
if npm version is < 5 then use `npm cache clean --force`
```
npm install -g @angular/cli@latest
```
and created a new project file and create a new angular project.
Upvotes: 2 <issue_comment>username_2: It might be related to corruption in Angular Packages or incompatibility of packages.
Please follow the below steps to solve the issue.
* Delete node\_modules folder manually.
* Install Node ( <https://nodejs.org/en/download> ).
* Install Yarn ( <https://yarnpkg.com/en/docs/install> ).
* Open command prompt , go to path angular folder and run Yarn.
* Run angular\nswag\refresh.bat.
* Run npm start from the angular folder.
**Update**
ASP.NET Boilerplate suggests [here](https://aspnetzero.com/Documents/Getting-Started-Angular) to use yarn because npm has some problems. It is slow and can not consistently resolve dependencies, yarn solves those problems and it is compatible to npm as well.
Upvotes: 6 [selected_answer]<issue_comment>username_3: Following what @viveknuna suggested, I upgraded to the latest version of node.js and npm using the downloaded installer. I also installed the latest version of yarn using a downloaded installer. Then, as you can see below, I upgraded angular-cli and typescript. Here's what that process looked like:
```
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>npm install -g @angular/cli@latest
C:\Users\Jack\AppData\Roaming\npm\ng -> C:\Users\Jack\AppData\Roaming\npm\node_modules\@angular\cli\bin\ng
npm WARN optional SKIPPING OPTIONAL DEPENDENCY: [email protected] (node_modules\@angular\cli\node_modules\fsevents):
npm WARN notsup SKIPPING OPTIONAL DEPENDENCY: Unsupported platform for [email protected]: wanted {"os":"darwin","arch":"any"} (current: {"os":"win32","arch":"x64"})
+ @angular/[email protected]
added 75 packages, removed 166 packages, updated 61 packages and moved 24 packages in 29.084s
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>npm install -g typescript
C:\Users\Jack\AppData\Roaming\npm\tsserver -> C:\Users\Jack\AppData\Roaming\npm\node_modules\typescript\bin\tsserver
C:\Users\Jack\AppData\Roaming\npm\tsc -> C:\Users\Jack\AppData\Roaming\npm\node_modules\typescript\bin\tsc
+ [email protected]
updated 1 package in 2.427s
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>node -v
v8.10.0
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>npm -v
5.6.0
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>yarn --version
1.5.1
```
Thereafter, I ran `yarn` and `npm start` in my angular folder and all appears to be well. Here's what that looked like:
```
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>yarn
yarn install v1.5.1
[1/4] Resolving packages...
[2/4] Fetching packages...
info [email protected]: The platform "win32" is incompatible with this module.
info "[email protected]" is an optional dependency and failed compatibility check. Excluding it from installation.
[3/4] Linking dependencies...
warning "@angular/cli > @schematics/[email protected]" has incorrect peer dependency "@angular-devkit/[email protected]".
warning "@angular/cli > @angular-devkit/schematics > @schematics/[email protected]" has incorrect peer dependency "@angular-devkit/[email protected]".
warning " > [email protected]" has incorrect peer dependency "@angular/compiler@^2.3.1 || >=4.0.0-beta <5.0.0".
warning " > [email protected]" has incorrect peer dependency "@angular/core@^2.3.1 || >=4.0.0-beta <5.0.0".
[4/4] Building fresh packages...
Done in 232.79s.
D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular>npm start
> [email protected] start D:\Dev\AspNetBoilerplate\MyProject\3.5.0\angular
> ng serve --host 0.0.0.0 --port 4200
** NG Live Development Server is listening on 0.0.0.0:4200, open your browser on http://localhost:4200/ **
Date: 2018-03-22T13:17:28.935Z
Hash: 8f226b6fa069b7c201ea
Time: 22494ms
chunk {account.module} account.module.chunk.js () 129 kB [rendered]
chunk {app.module} app.module.chunk.js () 497 kB [rendered]
chunk {common} common.chunk.js (common) 1.46 MB [rendered]
chunk {inline} inline.bundle.js (inline) 5.79 kB [entry] [rendered]
chunk {main} main.bundle.js (main) 515 kB [initial] [rendered]
chunk {polyfills} polyfills.bundle.js (polyfills) 1.1 MB [initial] [rendered]
chunk {styles} styles.bundle.js (styles) 1.53 MB [initial] [rendered]
chunk {vendor} vendor.bundle.js (vendor) 15.1 MB [initial] [rendered]
webpack: Compiled successfully.
```
Upvotes: 2 <issue_comment>username_4: Try the following steps:
1. Make sure you have the latest npm (npm install -g npm).
2. Add an exception to your antivirus to ignore the node\_modules folder in your project.
3. $ rm -rf node\_modules package-lock.json .
4. $ npm install
Upvotes: 3 <issue_comment>username_5: The following steps work for me:
1. **`npm cache clean -f`**
2. `rm -rf node_modules`
3. `npm i`
Upvotes: 6 <issue_comment>username_6: In my case, this error happened with a new project.
none of the proposed solutions here worked, so I simply reinstalled all the packages and started working correctly.
Upvotes: 0 <issue_comment>username_7: In my case I tried to run `npm i [email protected]` and got the error because the dev server was running in another terminal on vsc. Hit ctrl+c, y to stop it in that terminal, and then installation works.
Upvotes: 0 <issue_comment>username_8: If it happens, then it means you have to upgrade your node.js. Simply uninstall your current node from your pc or mac and download the latest version from <https://nodejs.org/en/>
Upvotes: 1 <issue_comment>username_9: In my case, I had to create a new app, reinstall my node packages, and copy my src document over. That worked.
Upvotes: 0 <issue_comment>username_10: **I had faced the same problem. After google search I found this solution:**
*['git' is not recognized as an internal or external command](https://stackoverflow.com/questions/4492979/git-is-not-recognized-as-an-internal-or-external-command)*
Check this out hope your problem will be solved
Upvotes: 1 <issue_comment>username_11: In my case
```
npm cache clean --force
```
Also not working so, I use
>
> yarn
>
>
>
First, install yarn globally
```
npm i -g yarn
```
Then instead of "npm start", I do,
```
yarn add
```
This works for me.
Upvotes: 2 <issue_comment>username_12: Change your `firebase.json` from:
```
{
"functions": {
"predeploy": [
"npm --prefix \"$RESOURCE_DIR\" run lint"
]
}
}
```
To:
```
{
"functions": {
}
}
```
Upvotes: 0 <issue_comment>username_13: I was trying to do it in a folder inside dropbox. I think dropbox was locking files as it uploaded them or something and that didn't work. It would fail in different places.
Upvotes: 0 <issue_comment>username_14: I had this issue too. It was resolved by realising that I was running the command in the wrong folder. `pwd` to check the folder. Oops.
Upvotes: 0 |
2018/03/21 | 2,108 | 6,222 | <issue_start>username_0: I have a dataframe (fbwb) with multiple assessments of bullying (1-6) using multiple measures (1-3) in a group of participants. The df looks like this:
```
fbwb <- read.table(text="id year bully1 bully2 bully3 cbully bully_ever
100 1 NA 1 NA 1 1
100 2 1 1 NA 1 1
100 3 NA 0 NA 0 1
101 1 NA NA 1 1 1
102 1 NA 1 NA 1 1
102 2 NA NA NA NA 1
102 3 NA 1 1 1 1
102 4 0 0 0 0 1
103 1 NA 1 NA 1 1
103 2 NA 0 0 0 1", header=TRUE)
```
Where bully1, bully2, and bully3 are binary variables that each = 1 if bullying was reported on the respective measure.
cbully is binary and = 1 if any of the 3 bullying variables = 1 for a given year.
bully\_ever is binary and = 1 if bullying was reported on any measure in any year for a given participant.
I want to create a new binary variable in my df called bully\_past. bully\_past represents the case when cbully = 1 in ANY PAST YEAR. This is subtly different from bully\_ever. For example, if a participant has been assessed 4 times:
* bully\_past should use info from years 3, 2, and 1 AT YEAR 4.
* bully\_past should use info from years 2 and 1 AT YEAR 3.
* bully\_past should use info from year 1 AT YEAR 2.
* bully\_past should be NA at year 1.
I have tried quite a few things, but the most recent rendition is the following:
```
fbwb <- fbwb %>%
dplyr::group_by(id) %>%
dplyr::mutate(bully_past = case_when(cbully == 1 & year == (year - 1) |
cbully == 1 & year == (year - 2) |
cbully == 1 & year == (year - 3) |
cbully == 1 & year == (year - 4) |
cbully == 1 & year == (year - 5) ~ 1,
(is.na(cbully) & year == (year - 1) &
is.na(cbully) & year == (year - 2) &
is.na(cbully) & year == (year - 3) &
is.na(cbully) & year == (year - 4) &
is.na(cbully) & year == (year - 5)) ~ NA_real_,
TRUE ~ 0)) %>%
dplyr::ungroup()
```
This does not work because the syntax for indicating which years to use is not correct - so it generates a column of NA values. I have made other attempts, but I have not been able to manage to take into account observations from ALL PREVIOUS YEARS.
It can be done in Stata using this code:
```
gen bullyingever = bullying
sort iid time
replace bullyingever = 1 if bullying[_n - 1]==1 & iid[_n - 1]==iid
replace bullyingever = 1 if bullying[_n - 2]==1 & iid[_n - 2]==iid
replace bullyingever = 1 if bullying[_n - 3]==1 & iid[_n - 3]==iid
replace bullyingever = 1 if bullying[_n - 4]==1 & iid[_n - 4]==iid
replace bullyingever = 1 if bullying[_n - 5]==1 & iid[_n - 5]==iid
```
I appreciate any input on how to accomplish this in R, preferably using dplyr.<issue_comment>username_1: Here we can write a helper function that can look at previous events both using `cumsum` (to keep a cumulative account of events which lets you look into the past) and `lag()` in order to look exclusively behind the current value. So we have
```
had_previous_event <- function(x) {
lag(cumsum(!is.na(x) & x==1)>0)
}
```
You can then use that with your `dplyr` chain
```
fbwb %>%
arrange(id, year) %>%
group_by(id) %>%
mutate(bully_past = had_previous_event(cbully))
```
This returns TRUE/FALSE but if you want zero/one you can change that to
```
mutate(bully_past = as.numeric(had_previous_event(cbully)))
```
Upvotes: 4 [selected_answer]<issue_comment>username_2: One solution can be using `dplyr` and `ifelse` as:
```
library(dplyr)
fbwb %>% group_by(id) %>%
arrange(id, year) %>%
mutate(bully_past_year = ifelse(is.na(lag(cbully)), 0L, lag(cbully))) %>%
mutate(bully_past = ifelse(cumsum(bully_past_year)>0L, 1L, 0 )) %>%
select(-bully_past_year) %>% as.data.frame()
# id year bully1 bully2 bully3 cbully bully_ever bully_past
# 1 100 1 NA 1 NA 1 1 0
# 2 100 2 1 1 NA 1 1 1
# 3 100 3 NA 0 NA 0 1 1
# 4 101 1 NA NA 1 1 1 0
# 5 102 1 NA 1 NA 1 1 0
# 6 102 2 NA NA NA NA 1 1
# 7 102 3 NA 1 1 1 1 1
# 8 102 4 0 0 0 0 1 1
# 9 103 1 NA 1 NA 1 1 0
# 10 103 2 NA 0 0 0 1 1
```
Upvotes: 1 <issue_comment>username_3: There is an alternative approach which *aggregates in a non-equi self-join*. This approach has the benefit that it works even with unordered data.
```
library(data.table)
# coerce to data.table
bp <- setDT(fbwb)[
# non equi self-join and aggregate within the join
fbwb, on = .(id, year < year), as.integer(any(cbully)), by = .EACHI][]
# append new column
fbwb[, bully_past := bp$V1][]
```
>
>
> ```
> id year bully1 bully2 bully3 cbully bully_ever bully_past
> 1: 100 1 NA 1 NA 1 1 NA
> 2: 100 2 1 1 NA 1 1 1
> 3: 100 3 NA 0 NA 0 1 1
> 4: 101 1 NA NA 1 1 1 NA
> 5: 102 1 NA 1 NA 1 1 NA
> 6: 102 2 NA NA NA NA 1 1
> 7: 102 3 NA 1 1 1 1 1
> 8: 102 4 0 0 0 0 1 1
> 9: 103 1 NA 1 NA 1 1 NA
> 10: 103 2 NA 0 0 0 1 1
>
> ```
>
>
The non-equi join condition considers only previous years. So, the first year for each `id` is `NA` as requested by the OP.
The `any()` function returns `TRUE` if at least one of the values is `TRUE` (after coersion to type logical). In R, the integer value `1L` corresponds to the logical value `TRUE`.
Upvotes: 1 |
2018/03/21 | 1,204 | 3,690 | <issue_start>username_0: I have a dataset from a colleague.
In the dataset we record the location where a given skin problem is.
We record up to 20 locations for the skin problem.
i.e
>
> scaloc1 == 2
> scaloc2 == 24
> scaloc3 == NA
> scalocn......
>
>
>
Would mean the skin problem was in place 1 and 24 and nowhere else
I want to reorganise the data so that instead of being like this it is
>
> face 1/0 torso 1/0 etc
>
>
>
So for example if any of scaloc1 to scalocn contain the value 3 then set the value of face to be 1.
I had previously done this in STATA using:
```
foreach var in scaloc1 scaloc2 scaloc3 scaloc4 scaloc5 scaloc6 scaloc7 scaloc8 scaloc9 scal10 scal11 scal12 scal13 scal14 scal15 scal16 scal17 scal18 scal19 scal20{
replace facescalp=1 if (`var'>=1 & `var'<=6) | (`var'>=21 & `var'<=26)
}
```
I feel like I should be able to do this using either a dreaded for loop or possibly something from the apply family?
I tried
```
dataframe$facescalp <-0
#Default to zero
apply(dataframe[,c("scaloc1","scaloc2","scalocn")],2,function(X){
dataframe$facescalp[X>=1 & X<7] <-1
})
#I thought this would look at location columns 1 to n and if the value was between 1 and 7 then assign face-scalp to 1
```
But didn't work....
I've not really used apply before but did have a good root around examples here and can't find one which accurately describes my current issue.
An example dataset is available:
<https://www.dropbox.com/s/0lkx1tfybelc189/example_data.xls?dl=0>
If anything not clear or there is a good explanation for this already in a different answer please do let me know.<issue_comment>username_1: If I understand your problem correctly, the easiest way to solve it would probably be the following (this uses your example data set that you provided read in and stored as `df`)
```
# Add an ID column to identify each patient or skin problem
df$ID <- row.names(df)
# Gather rows other than ID into a long-format data frame
library(tidyr)
dfl <- gather(df, locID, loc, -ID)
# Order by ID
dfl <- dfl[order(dfl$ID), ]
# Keep only the rows where a skin problem location is present
dfl <- dfl[!is.na(dfl$loc), ]
# Set `face` to 1 where `locD` is 'scaloc1' and `loc` is 3
dfl$face <- ifelse(dfl$locID == 'scaloc1' & dfl$loc == 3, 1, 0)
```
Because you have a lot of conditions that you will need to apply in order to fill the various body part columns, the most efficient rout would probably to create a lookup table and use the `match` function. There are many examples on SO that describe using `match` for situations like this.
Upvotes: 2 [selected_answer]<issue_comment>username_2: Very helpful.
I ended up using a variant of this approach
```
data_loc <- gather(data, "site", "location", c("scaloc1", "scaloc2", "scaloc3", "scaloc4", "scaloc5", "scaloc6", "scaloc7", "scaloc8", "scaloc9", "scal10", "scal11", "scal12", "scal13", "scal14", "scal15", "scal16", "scal17", "scal18", "scal19", "scal20"))
#Make a single long dataframe
data_loc$facescalp <- 0
data_loc$facescalp[data_loc$location >=1 & data_loc$location <=6] <-1
#These two lines were repeated for each of the eventual categories I wanted
locations <- group_by(data_loc,ID) %>% summarise(facescalp = max(facescalp), upperarm = max(upperarm), lowerarm = max(lowerarm), hand = max(hand),buttockgroin = max(buttockgroin), upperleg = max(upperleg), lowerleg = max(lowerleg), feet = max(feet))
#Generate per individual the maximum value for each category, hence if in any of locations 1 to 20 they had a value corresponding to face then this ends up giving a 1
data <- inner_join(data,locations, by = "ID")
#This brings the data back together
```
Upvotes: 0 |
2018/03/21 | 1,285 | 2,695 | <issue_start>username_0: I have two data frames with mostly the same values
df1:
```
v1 v2 v3 v4 v5 v6 v7 ......
500 40 5.2 z1 .....
500 40 7.2 z2 .....
500 40 9.0 z3 .....
500 40 3.5 z4 .....
500 40 4.2 z5 .....
```
df2:
```
v1 v2 v3 v4 v5 v6 v7 .....
500 40 5.1 m1 .....
500 40 7.9 m2 .....
500 20 8.6 m3 .....
500 40 3.7 m4 .....
500 40 4.0 m5 .....
```
I would like to merge (or any function like it) so that my new df1 file has exact matching v1 and v2, but v3 does not need to be strictly exact. Is there a way I can match v3 to within +/- 0.2?
I would like the final df1 to look like:
```
v1 v2 v3 v4 v5 v6 v7 .....
500 40 5.2 z1 .....
500 40 3.5 z4 .....
500 40 4.2 z5 .....
```
I get as far as below, but I'm not sure how to account for the variability of column v3.
```
hed <- c("v1", "v2", "v3") #original data didn't have header
df1_final <- merge(df1, df2[hed],by=hed)
```
If there is a better language to deal with this I'd accept that too, but this is only one part to an entire R script i'm working on.<issue_comment>username_1: Using the `tidyverse` we could first `join`, then `filter` with `near` (and a tolerance):
```
library(tidyverse)
df1 <- data_frame(v1 = c(500, 500, 500, 500, 500),
v2 = c(40, 40, 40, 40, 40),
v3 = c(5.2, 7.2, 9.0, 3.5, 4.2),
v4 = c("z1", "z2", "z3", "z4", "z5"))
df2 <- data_frame(v1 = c(500, 500, 500, 500, 500),
v2 = c(40, 40, 20, 40, 40),
v3 = c(5.1, 7.9, 8.6, 3.7, 4.0),
v4 = c("m1", "m2", "m3", "m4", "m5"))
df1 %>%
full_join(df2, by = c("v1", "v2")) %>% # join on v1 and v2
filter(near(v3.x, v3.y, tol = 0.21)) %>% # filter with a tolerance
rename(v3 = v3.x, v4 = v4.x) %>% # rename the columns
select(v1:v4) # select em
```
This yields
```
# A tibble: 3 x 4
v1 v2 v3 v4
1 500. 40. 5.20 z1
2 500. 40. 3.50 z4
3 500. 40. 4.20 z5
```
Upvotes: 3 <issue_comment>username_2: If you're familiar with SQL syntax this (and a lot of other complicated non-equal merges) is easy with `sqldf`
```
library(sqldf)
df1 <- data.frame(v1 = c(500, 500, 500, 500, 500),
v2 = c(40, 40, 40, 40, 40),
v3 = c(5.2, 7.2, 9.0, 3.5, 4.2),
v4 = c("z1", "z2", "z3", "z4", "z5"))
df2 <- data.frame(v1 = c(500, 500, 500, 500, 500),
v2 = c(40, 40, 20, 40, 40),
v3 = c(5.1, 7.9, 8.6, 3.7, 4.0),
v4 = c("m1", "m2", "m3", "m4", "m5"))
sqldf('
select df1.*
from df1
join df2
on df1.v3 <= df2.v3+0.2
and df1.v3 >= df2.v3-0.2
')
```
Upvotes: 2 |
2018/03/21 | 560 | 2,006 | <issue_start>username_0: I have set a color in an NSUserDefault in another class and and now want to convert it to a CGColor for display. I can convert an actual UIColor to a CGColor. But I'm having trouble converting a UIColor stored in a variable to a CGColor
```
UIColor* myColor = [[NSUserDefaults standardUserDefaults] objectForKey:myColor];
struct CGColor* circleColor = nil;
circleColor=[[UIColor greenColor]CGColor];//this works
circleColor=[[myColor] CGColor];//does not work
circleColor=[myColor CGColor];//does not work
```
Can anyone suggest the right way to do this?
Note: I did not save a cgcolor in the userdefaults due to the need to bridge<issue_comment>username_1: Replace
```
circleColor = [[myColor] CGColor];//does not work
```
with
```
circleColor = myColor.CGColor;
```
**EDIT**
If you haven't saved your `UIColor` in `NSUSerDefaults` check [this answer](https://stackoverflow.com/a/1275790/3789527) for an example on how to correctly store and retrieve it.
Upvotes: 2 <issue_comment>username_2: I think you haven't create `myColor` object in this line.
```
UIColor* myColor = [[NSUserDefaults standardUserDefaults] objectForKey:myColor];
struct CGColor* circleColor = nil;
```
First initialise that object then assign on that object with your `user defaults` then proceed accordingly.
Upvotes: 1 <issue_comment>username_3: You can't save UIColor object in NSUserDefaults directly.
try to archive object to get data and save the data like this:
```
UIColor *color = [UIColor redColor];
NSData *colorData = [NSKeyedArchiver archivedDataWithRootObject:color];
[[NSUserDefaults standardUserDefaults] setObject:colorData forKey:@"ColorKey"];
```
And when you need the color firstly you should get NSData object from User Defaults and then create UIColor object like this
```
NSData *colorData = [[NSUserDefaults standardUserDefaults] objectForKey:@"ColorKey"];
UIColor *color = [NSKeyedUnarchiver unarchiveObjectWithData:colorData];
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 1,356 | 5,118 | <issue_start>username_0: I am trying to send parameters from one Activity to another using Intent and extras.putString(); from one activity and trying to fetch the values in another and set that value in the Textview field.
My code looks like this:
PAActivity.java
```
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Log.e("phoneHolder",phoneHolder);
submit.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Intent myIntent = new Intent(PAActivity.this,DisplayActivity.class);
Bundle extras = new Bundle();
extras.putString("F_NAME", Fnameholder);
extras.putString("L_NAME", Lnameholder);
extras.putString("EMAIL", emailHolder);
extras.putString("PHONE", phoneHolder);
myIntent.putExtras(extras);
PAActivity.this.startActivity(myIntent);
}
});
```
DisplayActivity.java
```
name = new TextView(this);
email = new TextView(this);
phone = new TextView(this);
name = (TextView) findViewById(R.id.name);
email = (TextView) findViewById(R.id.email);
phone = (TextView) findViewById(R.id.phone);
Bundle extras = getIntent().getExtras();
if (extras != null) {
first = (String) extras.get("F_NAME");
last = (String) extras.get("L_NAME");
Nameholder = "my name is "+first+" "+last;
name.setText(Nameholder);
emailHolder = (String) extras.get("EMAIL");
email.setText(emailHolder);
phoneHolder = (String) extras.get("PHONE");
phone.setText(phoneHolder);
}
```
The problem here is that, the intent is loading the second activity but the setText does not seem to work. I am not able to see the values being set in the Textviews. Could someone please help?<issue_comment>username_1: In your submit.onClick() function you should pull the values of the EditTexts again. You want the last value to be sent when the User hits submit. I think you might be putting in an empty string because you're not pulling the values in your onClick
Upvotes: 3 [selected_answer]<issue_comment>username_2: You need to fetch the values in the `onClick` method from the `EditText` views.
If you do not fetch the value in the `onClick` then it will pass the default values to DisplayActivity.java, which is what is happening to you.
Upvotes: 0 <issue_comment>username_3: As mentioned in some other answers, you need to get the values of the `EditText`s inside of your `onclick` method. Your PAActivity should now look like this:
```
/* Depending on what the rest of your code is,
* you may be able to remove the lines of code leading up to the
* `submit.setOnclickListener`, and only have it inside of the `onClick` method.
*/
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Log.e("phoneHolder", phoneHolder);
submit.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Intent myIntent = new Intent(PAActivity.this,DisplayActivity.class);
Bundle extras = new Bundle();
extras.putString("F_NAME", Fnameholder);
extras.putString("L_NAME", Lnameholder);
extras.putString("EMAIL", emailHolder);
extras.putString("PHONE", phoneHolder);
myIntent.putExtras(extras);
PAActivity.this.startActivity(myIntent);
}
});
```
Also, as I mentioned in a comment on your question, this is what your new DisplayActivity.java should look like:
```
name = (TextView) findViewById(R.id.name);
email = (TextView) findViewById(R.id.email);
phone = (TextView) findViewById(R.id.phone);
Bundle extras = getIntent().getExtras();
if (extras != null) {
first = (String) extras.get("F_NAME");
last = (String) extras.get("L_NAME");
Nameholder = "my name is " + first + " " + last;
name.setText(Nameholder);
emailHolder = (String) extras.get("EMAIL");
email.setText(emailHolder);
phoneHolder = (String) extras.get("PHONE");
phone.setText(phoneHolder);
}
```
Upvotes: 1 |
2018/03/21 | 1,027 | 3,891 | <issue_start>username_0: i have webpage example.org, where i have multiple subcategories like:
* index.php?page=login
* index.php?page=category
* page=login?page=names
and i have included in index.php the head.php file which contain:
```
if(!empty($settings->meta_description) && (!isset($_GET['page']) || (isset($_GET['page']) && $_GET['page'] != 'category')))
echo '';
elseif(isset($_GET['page']) && $_GET['page'] == 'category' && !empty($category->description))
echo '';
```
Is it possible to set default meta description for all pages (subcategories)? Or how to manual write description to all pages (its about 25 pages, so i can do it manual, but how?)
Because user can add pages, so i need to set default meta description (because i dont want duplicate metadescription)
Have anyone solution? Sorry for my english.<issue_comment>username_1: In your submit.onClick() function you should pull the values of the EditTexts again. You want the last value to be sent when the User hits submit. I think you might be putting in an empty string because you're not pulling the values in your onClick
Upvotes: 3 [selected_answer]<issue_comment>username_2: You need to fetch the values in the `onClick` method from the `EditText` views.
If you do not fetch the value in the `onClick` then it will pass the default values to DisplayActivity.java, which is what is happening to you.
Upvotes: 0 <issue_comment>username_3: As mentioned in some other answers, you need to get the values of the `EditText`s inside of your `onclick` method. Your PAActivity should now look like this:
```
/* Depending on what the rest of your code is,
* you may be able to remove the lines of code leading up to the
* `submit.setOnclickListener`, and only have it inside of the `onClick` method.
*/
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Log.e("phoneHolder", phoneHolder);
submit.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Intent myIntent = new Intent(PAActivity.this,DisplayActivity.class);
Bundle extras = new Bundle();
extras.putString("F_NAME", Fnameholder);
extras.putString("L_NAME", Lnameholder);
extras.putString("EMAIL", emailHolder);
extras.putString("PHONE", phoneHolder);
myIntent.putExtras(extras);
PAActivity.this.startActivity(myIntent);
}
});
```
Also, as I mentioned in a comment on your question, this is what your new DisplayActivity.java should look like:
```
name = (TextView) findViewById(R.id.name);
email = (TextView) findViewById(R.id.email);
phone = (TextView) findViewById(R.id.phone);
Bundle extras = getIntent().getExtras();
if (extras != null) {
first = (String) extras.get("F_NAME");
last = (String) extras.get("L_NAME");
Nameholder = "my name is " + first + " " + last;
name.setText(Nameholder);
emailHolder = (String) extras.get("EMAIL");
email.setText(emailHolder);
phoneHolder = (String) extras.get("PHONE");
phone.setText(phoneHolder);
}
```
Upvotes: 1 |
2018/03/21 | 1,289 | 4,835 | <issue_start>username_0: I use multiple accounts in Outlook. I want to give a warning box if sending from an address I should not be sending from.
I have two addresses that I should never send from (they are receive only accounts).
This example is almost what I am looking for.
[Example - Checking the "To" address.](http://www.slipstick.com/how-to-outlook/prevent-sending-messages-to-wrong-email-address/)
I believe a string comparison (StrComp) and `Item.SenderEmailAddress` is what I need.
Here is my attempt for giving a warning for a single email address (<EMAIL>).
```vb
Private Sub Application_ItemSend(ByVal Item As Object, Cancel As Boolean)
On Error Resume Next
' use lower case for the address
' LCase converts all addresses in the To field to lower case
If StrComp((Item.SenderEmailAddress), "<EMAIL>") Then
Exit Sub
End If
Prompt$ = "You sending this from " & Item.SenderEmailAddress & ". Are you sure you want to send it?"
If MsgBox(Prompt$, vbYesNo + vbQuestion + vbMsgBoxSetForeground, "Check Address") = vbNo Then
Cancel = True
End If
End Sub
```
Ideally I would to check two or more addresses with the same code. Something like in the example should work.
```vb
Private Sub Application_ItemSend(ByVal Item As Object, Cancel As Boolean)
On Error Resume Next
Select Case LCase(Item.To)
Case "<EMAIL>", "<EMAIL>", "<EMAIL>"
Item.Send
Case Else
Prompt$ = "You are not sending this to " & Item.To & ". Are you sure you want to send the Mail?"
If MsgBox(Prompt$, vbYesNo + vbQuestion + vbMsgBoxSetForeground, "Check Address") = vbNo Then
Cancel = True
End If
End Select
End Sub
```
Also, where do I place the code to ensure that it is constantly running and ready?<issue_comment>username_1: In your submit.onClick() function you should pull the values of the EditTexts again. You want the last value to be sent when the User hits submit. I think you might be putting in an empty string because you're not pulling the values in your onClick
Upvotes: 3 [selected_answer]<issue_comment>username_2: You need to fetch the values in the `onClick` method from the `EditText` views.
If you do not fetch the value in the `onClick` then it will pass the default values to DisplayActivity.java, which is what is happening to you.
Upvotes: 0 <issue_comment>username_3: As mentioned in some other answers, you need to get the values of the `EditText`s inside of your `onclick` method. Your PAActivity should now look like this:
```
/* Depending on what the rest of your code is,
* you may be able to remove the lines of code leading up to the
* `submit.setOnclickListener`, and only have it inside of the `onClick` method.
*/
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Log.e("phoneHolder", phoneHolder);
submit.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
Fname = (EditText) findViewById(R.id.editFirst);
Lname = (EditText) findViewById(R.id.editLast);
email = (EditText) findViewById(R.id.editEmail);
phone = (EditText) findViewById(R.id.editPhone);
submit = (Button) findViewById(R.id.submit);
Fnameholder = Fname.getText().toString();
Lnameholder = Lname.getText().toString();
emailHolder = email.getText().toString();
phoneHolder = phone.getText().toString();
Intent myIntent = new Intent(PAActivity.this,DisplayActivity.class);
Bundle extras = new Bundle();
extras.putString("F_NAME", Fnameholder);
extras.putString("L_NAME", Lnameholder);
extras.putString("EMAIL", emailHolder);
extras.putString("PHONE", phoneHolder);
myIntent.putExtras(extras);
PAActivity.this.startActivity(myIntent);
}
});
```
Also, as I mentioned in a comment on your question, this is what your new DisplayActivity.java should look like:
```
name = (TextView) findViewById(R.id.name);
email = (TextView) findViewById(R.id.email);
phone = (TextView) findViewById(R.id.phone);
Bundle extras = getIntent().getExtras();
if (extras != null) {
first = (String) extras.get("F_NAME");
last = (String) extras.get("L_NAME");
Nameholder = "my name is " + first + " " + last;
name.setText(Nameholder);
emailHolder = (String) extras.get("EMAIL");
email.setText(emailHolder);
phoneHolder = (String) extras.get("PHONE");
phone.setText(phoneHolder);
}
```
Upvotes: 1 |
2018/03/21 | 601 | 2,092 | <issue_start>username_0: I'm setting some text on a TextView every 0.5 seconds based on a timer. Everytime, when the timer runs and the text is set, I'm getting this warning message being spammed in my console.
>
> W/StaticLayout: maxLineHeight should not be -1. maxLines:1 lineCount:1
>
>
>
XML Code:
```
```
Java Code:
```
public void setProgress() {
// setProgress() called every 0.5 seconds
// Hardcoded text
mTimeText.setText("0:05");
}
```<issue_comment>username_1: **Answering my own question.**
Notice how I have two TextView's `title_text` and `time_text`.
Commenting out `//mTimeText.setText("0:05");` solved the issue of the warning message being spammed, so I thought the issue had to do something with `time_text`, but it didn't.
It had to do with `title_text`. Notice how I set the properties `android:maxLines="1"` and `android:ellipsize="end"`. If I had text that would overflow past the `maxLines` limit and trigger the ellipses, then I would get the warning message. Removing the line `android:ellipsize="end"` solved the issue. However, I need the ellipses, so that's not going to work.
The only other solution I could come up with is replacing `android:maxLines="1"` with `android:singleLine="true"`, however that xml property is deprecated!
Therefore, I just set `mTitleText.setSingleLine(true)` programmatically in my java code. That method isn't deprecated so I think I'm in the clear.
As to why commenting out `//mTimeText.setText("0:05");` prevented the warning message from showing up, I don't really know. I'm stumped on that one.
Upvotes: 6 [selected_answer]<issue_comment>username_2: I got it solved by changing the TextView's `layout_height` configuration from `wrap_content` to `match_parent`. Defining a fixed `layout_height` is another way to solve it.
Examples:
`android:layout_height="wrap_content"` or `android:layout_height="20dp"`
Upvotes: 2 <issue_comment>username_3: This is a bug in Android which is marked as fixed, so we'll have to wait for the next patch: <https://issuetracker.google.com/issues/121092510>
Upvotes: 3 |
2018/03/21 | 2,239 | 6,983 | <issue_start>username_0: I want to have equal space between text and button, but I am getting unequal space. See the image that I have attached; the red "delete" buttons and the text before that have unequal spaces.
Is there any CSS property that I can use so that the text doesn't push the button to the right?
[](https://i.stack.imgur.com/avuuN.png)
```js
function todo() {
var ParentDiv = document.getElementById('mydiv');
var newPara = document.createElement('p');
var value = document.getElementById('input-box').value;
var newText = document.createTextNode(value);
var del = document.createElement('input');
randomId = Math.random();
// newPara.setAttribute("id",randomId);
newPara.setAttribute("class", "para");
del.setAttribute("type", "button");
del.setAttribute("value", "delete");
del.setAttribute("onclick", "delt(this)");
del.setAttribute("class", "delbtn");
newPara.appendChild(newText);
newPara.appendChild(del);
ParentDiv.appendChild(newPara);
}
// function delt(me) {
// var parentId = me.parentElement.getAttribute("id");
// //var x = me.parentElement.nodeName;
// //console.log(parentId);
// document.getElementById(parentId).remove();
// }
function delt(me) {
var parent = me.parentNode;
var grandParent = parent.parentNode;
grandParent.removeChild(parent);
//console.log(grandParent);
}
//delt();
```
```css
body {
margin-left: 25rem;
margin-top: 5rem;
margin-right: auto;
}
h1 {
margin-left: 4rem;
margin-right: auto;
}
#input-box {
font-size: 1.5em;
width: 50%;
margin-top: 5px;
padding: 5px;
border: none;
border-bottom: 2px solid blue;
}
#mybtn {
background-color: rgb(21, 170, 240);
border: none;
color: white;
padding: 15px 32px;
text-align: center;
text-decoration: none;
display: inline-block;
font-size: 16px;
margin: 10px 0 0 75px;
cursor: pointer;
}
.delbtn {
background-color: rgb(238, 53, 28);
border: none;
color: white;
text-align: center;
text-decoration: none;
display: inline-block;
font-size: 15px;
margin-top: 5px;
margin-left: 10px;
cursor: pointer;
}
.para {
text-align: left;
padding: 0;
margin: 0;
}
```
```html
TODO APP
========
Add Item
```
[View on GitHub](https://github.com/GMT95/todoApp)<issue_comment>username_1: You could use a instead of a and append the `p` in the left column and the button in the right, so the buttons are always above each other:
```js
function todo() {
var ParentDiv = document.getElementById('mytable');
var newRow = document.createElement('tr');
var leftCell = document.createElement('td');
var rightCell = document.createElement('td');
var newPara = document.createElement('p');
var value = document.getElementById('input-box').value;
var newText = document.createTextNode(value);
var del = document.createElement('input');
randomId = Math.random();
// newPara.setAttribute("id",randomId);
newPara.setAttribute("class", "para");
del.setAttribute("type", "button");
del.setAttribute("value", "delete");
del.setAttribute("onclick", "delt(this)");
del.setAttribute("class", "delbtn");
newPara.appendChild(newText);
rightCell.appendChild(del);
leftCell.appendChild(newPara);
newRow.appendChild(leftCell);
newRow.appendChild(rightCell);
ParentDiv.appendChild(newRow);
}
// function delt(me) {
// var parentId = me.parentElement.getAttribute("id");
// //var x = me.parentElement.nodeName;
// //console.log(parentId);
// document.getElementById(parentId).remove();
// }
function delt(me) {
var parent = me.parentNode;
var grandParent = parent.parentNode;
grandParent.removeChild(parent);
//console.log(grandParent);
}
//delt();
```
```css
body {
margin-left: 25rem;
margin-top: 5rem;
margin-right: auto;
}
h1 {
margin-left: 4rem;
margin-right: auto;
}
#input-box {
font-size: 1.5em;
width: 50%;
margin-top: 5px;
padding: 5px;
border: none;
border-bottom: 2px solid blue;
}
#mybtn {
background-color: rgb(21, 170, 240);
border: none;
color: white;
padding: 15px 32px;
text-align: center;
text-decoration: none;
display: inline-block;
font-size: 16px;
margin: 10px 0 0 75px;
cursor: pointer;
}
.delbtn {
background-color: rgb(238, 53, 28);
border: none;
color: white;
text-align: center;
text-decoration: none;
display: inline-block;
font-size: 15px;
margin-top: 5px;
margin-left: 10px;
cursor: pointer;
}
.para {
text-align: left;
padding: 0;
margin: 0;
}
```
```html
TODO APP
========
Add Item
```
Upvotes: 2 <issue_comment>username_2: One method is to align the text to the left and button to the right.
Below, I've used [`flexbox`](https://developer.mozilla.org/en-US/docs/Learn/CSS/CSS_layout/Flexbox).
Each `.para` contains a for the text and an button.
Those two elements are positioned using the flexbox layout, with [`justify-content:space-between`](https://developer.mozilla.org/en-US/docs/Web/CSS/justify-content).
```js
function todo() {
var ParentDiv = document.getElementById('mydiv');
var newPara = document.createElement('p');
var value = document.getElementById('input-box').value;
var newText = document.createElement('span');
newText.innerHTML = value;
var del = document.createElement('input');
randomId = Math.random();
newPara.setAttribute("class", "para");
del.setAttribute("type", "button");
del.setAttribute("value", "delete");
del.setAttribute("onclick", "delt(this)");
del.setAttribute("class", "delbtn");
newPara.appendChild(newText);
newPara.appendChild(del);
ParentDiv.appendChild(newPara);
}
function delt(me) {
var parent = me.parentNode;
var grandParent = parent.parentNode;
grandParent.removeChild(parent);
}
```
```css
#container {
width: 50%;
text-align: center;
}
#input-box {
font-size: 1.5em;
margin-top: 5px;
padding: 5px;
border: none;
border-bottom: 2px solid blue;
width: 100%;
box-sizing: border-box;
}
#mybtn {
background-color: rgb(21, 170, 240);
border: none;
color: white;
padding: 15px 32px;
text-align: center;
text-decoration: none;
display: inline-block;
font-size: 16px;
margin: 10px 0;
cursor: pointer;
}
.delbtn {
background-color: rgb(238, 53, 28);
border: none;
color: white;
text-align: center;
text-decoration: none;
display: inline-block;
font-size: 15px;
margin-top: 5px;
margin-left: 10px;
cursor: pointer;
}
.para {
text-align: left;
padding: 0;
margin: 0;
}
.para {
display: flex;
justify-content: space-between;
}
```
```html
TODO APP
========
Add Item
Tester
Another Test
Sample Text
Item Title
```
Upvotes: 2 [selected_answer] |
2018/03/21 | 718 | 2,290 | <issue_start>username_0: In C, I have defined following `struct`:
```
typedef struct my_struct{
int foo;
my_struct* a;
my_struct* b;
} my_struct;
```
Now, I have a variable `char my_var;` that holds either the value "a" or "b".
**Question:** How to access "`my_struct->my_var`" where `my_var` is considered as its actual value (i.e. either as the character `a` or `b`) rather than as the "string" `my_var`?
(Indeed, my compiler throws an error saying that there is no member "`my_var`" defined in the struct `my_struct`.)<issue_comment>username_1: There's nothing built-in that does this. C has no run-time introspection of structure types; member names only exist at compile time.
You can use a conditional operator:
```
my_struct *x = my_var == 'a' ? my_struct->a : my_struct->b;
```
If the actual structure is more complicated (you only used 2 members as a simplified example in the question) you could use a lookup table:
```
struct offset_map {
char name;
size_t offset;
}[] = {
{'a', offsetof(my_struct, a)},
{'b', offsetof(my_struct, b)}
};
```
You can then write a function that loops through the table and returns the corresponding offset.
```
size_t get_offset(char name) {
int size = sizeof(offset_map)/sizeof(*offset_map);
for (int i = 0; i < size; i++) {
if (offset_map[i].name == name) {
return offset_map[i].offset;
}
}
return 0;
}
my_struct *x = (my_struct *)((char *)&my_struct + get_offset(my_var));
```
Upvotes: 2 <issue_comment>username_2: **You can't transform a `char` variable into code.**
You need to check `my_var`'s value:
```
if (my_var == 'a')
my_struct->a;
else if (my_var == 'b')
my_struct->b;
else
; // Handle unexpected value?
```
Upvotes: 1 <issue_comment>username_3: Let me point out that for indexing we usually use arrays ;-). IIUC, your use case implies that all members you want to be able to select through the character must be of the same type, here `my_struct *`. So define an array:
```
struct my_struct{
int foo;
my_struct* ptrs[255]; /* can index with any char */
};
```
Now you can happily index with characters:
```
struct my_struct *sP;
/* initialize sP and *sP... */
struct my_struct *sMemP = sP->ptrs['a'];
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 766 | 2,646 | <issue_start>username_0: I've got two Maven projects **A** and **B**. I'm packaging project A as a jar and adding it as a dependency in project B. Project A shows up in my External Libraries (using IntelliJ) and I can see all the source code and files.
In project A I've got a method that is retrieving the files in a folder located at *projectB/src/main/resources/folder/*, and I'm using the following code to check whether any files exist within this folder:
```
File folder = new File("src/main/resources/folder/");
File[] defaultDefinitions = folder.listFiles();
```
This works correctly when project A is ran. However, when project B calls this method, instead of appending the path to project A's working directory, it is appending it to project B's, and obviously there are no files located at *projectA/src/main/resources/folder/*.
How does one go about solving this issue?<issue_comment>username_1: There's nothing built-in that does this. C has no run-time introspection of structure types; member names only exist at compile time.
You can use a conditional operator:
```
my_struct *x = my_var == 'a' ? my_struct->a : my_struct->b;
```
If the actual structure is more complicated (you only used 2 members as a simplified example in the question) you could use a lookup table:
```
struct offset_map {
char name;
size_t offset;
}[] = {
{'a', offsetof(my_struct, a)},
{'b', offsetof(my_struct, b)}
};
```
You can then write a function that loops through the table and returns the corresponding offset.
```
size_t get_offset(char name) {
int size = sizeof(offset_map)/sizeof(*offset_map);
for (int i = 0; i < size; i++) {
if (offset_map[i].name == name) {
return offset_map[i].offset;
}
}
return 0;
}
my_struct *x = (my_struct *)((char *)&my_struct + get_offset(my_var));
```
Upvotes: 2 <issue_comment>username_2: **You can't transform a `char` variable into code.**
You need to check `my_var`'s value:
```
if (my_var == 'a')
my_struct->a;
else if (my_var == 'b')
my_struct->b;
else
; // Handle unexpected value?
```
Upvotes: 1 <issue_comment>username_3: Let me point out that for indexing we usually use arrays ;-). IIUC, your use case implies that all members you want to be able to select through the character must be of the same type, here `my_struct *`. So define an array:
```
struct my_struct{
int foo;
my_struct* ptrs[255]; /* can index with any char */
};
```
Now you can happily index with characters:
```
struct my_struct *sP;
/* initialize sP and *sP... */
struct my_struct *sMemP = sP->ptrs['a'];
```
Upvotes: 3 [selected_answer] |
2018/03/21 | 761 | 2,497 | <issue_start>username_0: i have a pretty complex query. Part of it is delimiting with a where statement and excluding results where the discharge date is greater than 90 days ago
date format in raw table is 2017-09-22
select for the values looks like the below
```
to_char("public".visit.visit_admit_date, 'MMDDYYYY') AS "Visit or Admit Date",
to_char("public".visit.visit_disch_date, 'MMDDYYYY') AS "Discharge Date",
WHERE
exists ( SELECT distinct on ("public".visit.visit_id) "public".procedure_group_cpt_code.pgrpcpt_code::text
FROM "public".visit
FULL OUTER JOIN "public".patient_procedure
ON "public".visit.visit_id = "public".patient_procedure.pproc_visit_num
FULL OUTER JOIN "public".procedure_desc_master_codes
ON "public".patient_procedure.pproc_cpcode = "public".procedure_desc_master_codes.pdescm_id
FULL OUTER JOIN "public".procedure_group_cpt_code
ON "public".procedure_group_cpt_code.pgrpcpt_pdescm_id = "public".procedure_desc_master_codes.pdescm_id
GROUP BY "public".visit.visit_id, "public".procedure_group_cpt_code.pgrpcpt_code
ORDER BY "public".visit.visit_id )
AND "public".visit.visit_stay_type = '1' OR "public".visit.visit_stay_type ='2'
```
this last line being what i though would be the correct way to delimit by dates.
```
AND "public".visit.visit_disch_date > (now() - interval '90 day' )
```
I'm getting dates far out of range going back several years
if anyone needs to see more of the whole query I'll post it. it's pretty big
also happy to include any more info anyone might request.<issue_comment>username_1: The problem is the `or`. Use `in` instead:
```
"public".visit.visit_stay_type IN ('1', '2') AND
"public".visit.visit_disch_date > (now() - interval '90 day' )
```
Some other advice:
* Learn to use table aliases.
* `select distinct on` is not needed in an `exists` subquery.
* `order by` is almost never appropriate in a subquery.
* `full outer join` is rarely needed.
Upvotes: 3 [selected_answer]<issue_comment>username_2: Agreed that `IN` is better style than the `OR` here, but if you want to use `OR` in a future query (e.g. where `IN` is not appropriate because your `OR` would operate on different columns), you should use parentheses to group conditions like so:
```
AND (
"public".visit.visit_stay_type = '1'
OR "public".visit.visit_stay_type ='2')
AND "public".visit.visit_disch_date > (now() - interval '90 day' )
```
Upvotes: 1 |
2018/03/21 | 230 | 810 | <issue_start>username_0: [](https://i.stack.imgur.com/ECHGul.png)
Here the i get stuck as the picture i gave is not aligned to top
there is a space in between the top bar n the picture.
Even i did not gave any margin or any padding values.
```
```<issue_comment>username_1: Have you tried scaling the image? try adding this to the imageView `android:scaleType="fitXY"`
Upvotes: 1 <issue_comment>username_2: Your ImageView is aligned correctly but the space which is seen, caused by the image inside imageview itself . So use "scaleType" attribute.
Upvotes: 0 <issue_comment>username_3: i finally use `android:scaleType="fitXY"`
n got the correct output . .
Shareing the code . .
```
xml version="1.0" encoding="utf-8"?
```
Upvotes: 0 |
2018/03/21 | 849 | 1,979 | <issue_start>username_0: ```
X = ['M','W','W','M','M','W']
NUM = [1,2,3,4,5,6]
```
trying to write a subroutine that will take NUM list and depending on whether the value in the corresponding list is M or W will multiply the value from Num list by either 5 when M is present and 10 with W.
have tried using two target values and index numbers with little success<issue_comment>username_1: Something like this would do what you want:
```
X = ['M', 'W', 'W', 'M', 'M', 'W']
NUM = [1, 2, 3, 4, 5, 6]
X_VAL = {'M': 5,
'W': 10
}
result = []
for index, val in enumerate(NUM):
result.append(val * X_VAL[X[index]])
print(result)
```
Let me know if you need any help understanding the code.
EDIT:
Like @user2357112 said you can `zip` both lists like this:
```
X = ['M', 'W', 'W', 'M', 'M', 'W']
NUM = [1, 2, 3, 4, 5, 6]
X_VAL = {'M': 5,
'W': 10
}
result = []
for val, x in zip(NUM, X):
result.append(val * X_VAL[x])
print(result)
```
Upvotes: 2 [selected_answer]<issue_comment>username_2: Using a simple list comprehension and Python's ternary operator:
```
X = ['M','W','W','M','M','W']
NUM = [1,2,3,4,5,6]
final = [i * (5 if j == 'M' else 10) for i, j in zip(NUM, X)]
print(final)
```
Output:
```
[5, 20, 30, 20, 25, 60]
```
If you had more than two letters, and a unique multiplication value for each one, you could use a dictionary:
```
>>> X = ['M','W','W','M','M','W', 'K', 'J', 'J', 'L']
>>> NUM = [1,2,3,4,5,6,4,2,1,8]
>>> dct = {'M': 5, 'W': 10, 'J': 8, 'K': 4, 'L': 3}
>>> [i * dct[j] for i, j in zip(NUM, X)]
[5, 20, 30, 20, 25, 60, 16, 16, 8, 24]
```
Upvotes: 1 <issue_comment>username_3: Another approach would be to use `lambda` functions and `map`:
```
def mult(x, num):
factor = lambda i: 5 if i=='M' else 10
return list(map(lambda i: factor(i[0]) * i[1],zip(x,num)))
X = ['M','W','W','M','M','W']
NUM = [1,2,3,4,5,6]
print(mult(X, NUM))
```
Output:
```
[5, 20, 30, 20, 25, 60]
```
Upvotes: 0 |
2018/03/21 | 858 | 2,008 | <issue_start>username_0: I'm having some trouble setting a variable CalendarID in the Google Apps Script for my spreadsheet (using sheet to sync to gcal).
So far I've come to:
```
enter code here
var sheet = SpreadsheetApp.getActiveSheet();
var range = sheet.getRange(2,6);
var calendarId = sheet.range.getValue()
enter code here
```
With my gcal ID set in "G2" (hence getRange(2,6)<issue_comment>username_1: Something like this would do what you want:
```
X = ['M', 'W', 'W', 'M', 'M', 'W']
NUM = [1, 2, 3, 4, 5, 6]
X_VAL = {'M': 5,
'W': 10
}
result = []
for index, val in enumerate(NUM):
result.append(val * X_VAL[X[index]])
print(result)
```
Let me know if you need any help understanding the code.
EDIT:
Like @user2357112 said you can `zip` both lists like this:
```
X = ['M', 'W', 'W', 'M', 'M', 'W']
NUM = [1, 2, 3, 4, 5, 6]
X_VAL = {'M': 5,
'W': 10
}
result = []
for val, x in zip(NUM, X):
result.append(val * X_VAL[x])
print(result)
```
Upvotes: 2 [selected_answer]<issue_comment>username_2: Using a simple list comprehension and Python's ternary operator:
```
X = ['M','W','W','M','M','W']
NUM = [1,2,3,4,5,6]
final = [i * (5 if j == 'M' else 10) for i, j in zip(NUM, X)]
print(final)
```
Output:
```
[5, 20, 30, 20, 25, 60]
```
If you had more than two letters, and a unique multiplication value for each one, you could use a dictionary:
```
>>> X = ['M','W','W','M','M','W', 'K', 'J', 'J', 'L']
>>> NUM = [1,2,3,4,5,6,4,2,1,8]
>>> dct = {'M': 5, 'W': 10, 'J': 8, 'K': 4, 'L': 3}
>>> [i * dct[j] for i, j in zip(NUM, X)]
[5, 20, 30, 20, 25, 60, 16, 16, 8, 24]
```
Upvotes: 1 <issue_comment>username_3: Another approach would be to use `lambda` functions and `map`:
```
def mult(x, num):
factor = lambda i: 5 if i=='M' else 10
return list(map(lambda i: factor(i[0]) * i[1],zip(x,num)))
X = ['M','W','W','M','M','W']
NUM = [1,2,3,4,5,6]
print(mult(X, NUM))
```
Output:
```
[5, 20, 30, 20, 25, 60]
```
Upvotes: 0 |
2018/03/21 | 2,223 | 6,497 | <issue_start>username_0: I want a `QTableWidget` with certain cells as customized `QProgressBar`s, and I want it to be possible to sort the columns containing these.
My customized `QProgressBar` is inheriting from both `QProgressBar` and `QTableWidgetItem`, and I am overiding the `'<'` operator to allow for sorting.
Below is an example of a customized `QTableWidget` (`QTableWidget_custom`), `QTableWidgetItem` (`QTableWidgetItem_double`) and `QProgressBar` (`QProgressBar_custom`). After the table is populated, I am only able to sort the columns containing `QTableWidgetItem_double`s.
**QTableWidgetItem\_double**
```
class QTableWidgetItem_double : public QTableWidgetItem
{
public:
QTableWidgetItem_double(const double _d = 0.0) :QTableWidgetItem(){
d = _d;
this->setTextAlignment(Qt::AlignRight | Qt::AlignVCenter);
setText(QString::number(d, 'f', 4));
}
double d = 0.0;
bool operator <(const QTableWidgetItem& other) const{
QTableWidgetItem_double const *qtwd = dynamic_cast(&other);
return d < qtwd->d;
}
};
```
**QProgressBar\_custom**
```
class QProgressBar_custom : public QProgressBar, public QTableWidgetItem
{
public:
QProgressBar_custom() : QProgressBar(){
setTextVisible(true);
setStyleSheet(" QProgressBar { border: 1px solid grey; border-radius: 0px; text-align: right;} QProgressBar::chunk { background-color: rgba(0,255,0,100); width: 1px;}");
setAlignment(Qt::AlignCenter);
}
QProgressBar_custom(const QString txt) : QTableWidgetItem(txt){}
bool operator <(const QTableWidgetItem& other) const{
QProgressBar const *p = dynamic_cast(&other);
return value() < p->value();
}
private:
double d1 = 0.0;
double d2 = 0.0;
QString txt1 = "";
QString txt2 = "";
public:
void setText(){
QString txtfield = QString::number(d1, 'f', 2) + " " + txt1 + " \t" + QString::number(d2, 'f', 4) + " " + txt2 + " ";
setFormat(txtfield);
}
void setTxt1(const QString& txt){ txt1 = txt; }
void setTxt2(const QString& txt){ txt2 = txt; }
void setAmount1(double d){ d1 = d; }
void setAmount2(double d){ d2 = d; }
void setPercentage(double p){
setValue(int(100.0\*p));
setText();
}
};
```
**QTableWidget\_custom**
```
class QTableWidget_custom : public QTableWidget
{
public:
QTableWidget_custom(QWidget *parent) : QTableWidget(parent){}
void addCustomProgressBarCell(int row, int col, double d1, double d2, const QString& txt1, const QString& txt2, double p){
QProgressBar_custom* qprbar = new QProgressBar_custom();
qprbar->setAmount1(d1);
qprbar->setAmount2(d2);
qprbar->setTxt1(txt1);
qprbar->setTxt2(txt2);
qprbar->setPercentage(p);
setCellWidget(row, col, qprbar);
}
void addCustomDoubleCell(int row, int col, double d){
QTableWidgetItem_double* qtwd = new QTableWidgetItem_double(d);
setItem(row, col, qtwd);
}
};
```
**Populating the table**
```
void QTWidgetTableItem::testCustomTableWidgetItem(){
//Some random data:
double data1[10] = { 1.0, 2.0, 34.4, 32.02, 1000.0, 2002.0, 0.0001, 0.02, 0.009, 10.0 };
double data2[10] = { -1.01, 22.3, 54.4, 1232.02, 0.0, -22.0, 0.1231, -0.02, 10.009, 5.0 };
double data3[10] = { 5.0, 201.0, 434.4444, 32.32, 1234.231, 2002.232, 0.111, 0.0422, 0.212, -10.0 };
double data4[10] = { 1.0, 2.0, 5.0, 25.00, 12.2, 100.0, 0.0, 50.0, 65.03, 0.9 };
QString txt1[10] = { "abc", "abc", "abc", "eur", "usd", "php", "cpp", "xxx", "yyy", "zzz" };
QString txt2[10] = { "aaa", "bbb", "ccc", "ddd", "asd", "qwe", "trt", "tr1", "tr2", "tr3" };
//Prepare table:
QTableWidget_custom* table = ui.tableWidget;
table->insertColumn(0); table->setColumnWidth(0, 70);
table->insertColumn(1); table->setColumnWidth(1, 70);
table->insertColumn(2); table->setColumnWidth(2, 170);
table->setSortingEnabled(false);
//Add data to table:
for (int i = 0; i < 10; i++){
table->insertRow(i);
table->addCustomDoubleCell(i, 0, data1[i]);
table->addCustomDoubleCell(i, 1, data2[i]);
table->addCustomProgressBarCell(i, 2, data3[i], data4[i], txt1[i], txt2[i], data4[i] / 100.0);
}
table->setSortingEnabled(true);
}
```
**Result**
[](https://i.stack.imgur.com/d3L1q.png)
If I click on the horizontal header of column 1 or 2, the table is sorted correctly using the overloaded operator of `QTableWidgetItem_double`. If I click on the third header, nothing happens. The overloaded function is never called.<issue_comment>username_1: Only the `QTableWidgetItem` are called when ordering them, in your case the `QProgressBar_custom` are added as `cellWidget`s, but not as `QTableWidgetItem`s, you must do it as follows:
```
void addCustomProgressBarCell(int row, int col, double d1, double d2, const QString& txt1, const QString& txt2, double p){
QProgressBar_custom *qprbar = new QProgressBar_custom;
qprbar->setAmount1(d1);
qprbar->setAmount2(d2);
qprbar->setTxt1(txt1);
qprbar->setTxt2(txt2);
qprbar->setPercentage(p);
setCellWidget(row, col, qprbar);
setItem(row, col, qprbar); // add this line
}
```
[](https://i.stack.imgur.com/kP6X5.png)
Upvotes: 3 [selected_answer]<issue_comment>username_2: Some comments:
* If there are many items, using a delegate will be more performant than instantiating widgets for every item. The delegate's `paint` method can use `QStyle::drawControl`. A complete example will be provided later. It is not particularly complicated, and works very well.
* Prefer `QString` format strings to concatenation, for performance and readability. Use `QStringLiteral` instead of casting C strings.
```
auto const txtField = QStringLiteral("%1 %2 \t%3 %4 ")
.arg(d1, 'f', 2) .arg(txt1)
.arg(f2, 'f', 4) .arg(txt2);
```
* For `QObject`-derived classes, `qobject_cast` is another option. To make it robust and not potentially break internal data structures in the table view, the comparison operator must always return a consistent result (or no result at all - i.e. assert):
```
bool operator <(const QTableWidgetItem& other) const {
auto const *p = qobject_cast(&other);
if (true)
// let's always succeed
return p ? value() < p->value()
: static\_cast(this) < &other
else {
// catch errors
Q\_ASSERT(p);
return value() < p->value();
}
}
```
Upvotes: 1 |
2018/03/21 | 748 | 2,790 | <issue_start>username_0: I have the following arrangement:
checkbox\_1
checkbox\_2
button\_1
button\_2
Right now I wrote a jquery that when checkbox\_1 is checked button\_1 becomes active:
```
$('#checkbox_1').change(function() {
if (this.checked) {
$('#btn_1').removeClass('disabled');
} else {
$('#btn_1').addClass('disabled');
}
});
```
This is a short example. I truly have 7 of these combinations. Is there a way to write the jQuery commands in a way that I write this once instead of 7 times. Each checkbox should activate its individual boxes without affecting each other.<issue_comment>username_1: Start off by giving all your checkboxes the same class, so you can bind an event to them.
Also give the checkbox a `data-*` attribute, in this case `data-button`, which maches the `id` of the corresponding button.
By using that data attribute, you can target the button. You can toggle the class, with a condition. So if it is checked, the second argument (the condition) will be true, and the button will have the class.
```js
$('.myCheckbox').on('change', function() {
$("#"+$(this).data('button') ).toggleClass( 'disabled', $(this).is(':checked') );
});
```
```css
.disabled { color: red; }
```
```html
Checkbox 1
Checkbox 2
Checkbox 3
Button 1
Button 2
Button 3
```
Upvotes: 2 <issue_comment>username_2: You can use the `data-*` property tu give to your checkboxes the id of the corresponding button and manage to get this information in your JavaScript.
I did an example with an adaptation of your code :
```js
$('.checkBoxes').change(function() {
var currentBtnSelector = $(this).data("btn");
if (this.checked) {
$('#' + currentBtnSelector).addClass('red');
} else {
$('#' + currentBtnSelector).removeClass('red');
}
});
```
```css
.red {
background-color: red;
}
```
```html
Checkbox1
button1
Checkbox2
button2
Checkbox3
button3
```
Upvotes: 0 <issue_comment>username_3: With your existing code, you can simply add the following:
```
$("input[type='checkbox']").change(function() {
$("button:eq(" + $(this).index() + ")").toggleClass("active");
});
```
1. We're listening to all element changes.
2. Once clicked, we'll get the index and use that to target the appropiate button element.
The upside to this is that no further modifications are needed, but the downside is that we're targeting checkbox inputs and buttons globally on the DOM. Should you need to narrow down the scope, I would recommend either following the `data-*` advice posted already, or utilize surrounding containers such as below.
```
Button #0
Button #1
Button #2
```
From there, you can simply prefix the targets with the container class, restricting the scope to the specified list.
Upvotes: 0 |
2018/03/21 | 571 | 2,075 | <issue_start>username_0: The topic says it all, how can I place Label directly over Button? Tried multiple ways, nothing worked.. I can't use button.setTest("xxx"); in this case.
EDIT: I thought that mentioning SWT library in tags would be enough. I'm kind of ashamed for the code, therefore I didn't want to post it.
The thing is that I created ***a lot*** of buttons using for cycles, so I can't adress them by their variable name. My idea was creating another "layer" of labels and just have them over the buttons. The label should appear *after* the button is clicked.
```
MouseListener posluchac = new MouseAdapter() {
@Override
public void mouseDown(MouseEvent me) {
for (int k = 0;k
```
This code creates labels, that are hidden.<issue_comment>username_1: You have a typo.
```
button.setText("xxx"); // works
```
Upvotes: 0 <issue_comment>username_2: There's no need to place a `Label` on top of the `Button` even if you don't want the button to have an initial text. This can all be achieved by using the right `Layout` or `LayoutData`. Here's an example using a `GridLayout` with 5 columns. The buttons initially don't have text on them, but do after you click on them (as you described in your question):
```
public static void main(String[] args)
{
Display display = new Display();
Shell shell = new Shell(display);
shell.setLayout(new GridLayout(5, true));
for (int i = 0; i < 30; i++)
{
Button button = new Button(shell, SWT.PUSH);
button.setLayoutData(new GridData(SWT.FILL, SWT.FILL, true, true));
button.addListener(SWT.Selection, e -> button.setText(UUID.randomUUID().toString().substring(0, 10)));
}
shell.pack();
shell.open();
shell.setSize(600, 300);
while (!shell.isDisposed())
{
if (!display.readAndDispatch())
{
display.sleep();
}
}
display.dispose();
}
```
Looks like this:
[](https://i.stack.imgur.com/HmbjV.png)
Upvotes: 2 [selected_answer] |
2018/03/21 | 559 | 2,019 | <issue_start>username_0: I have written the following python code to remove the duplicates:
```
lines_seen = set()
outfile = open("out.txt", "w")
for line in open("file.txt", "r"):
if line not in lines_seen:
outfile.write(line)
lines_seen.add(line)
outfile.close()
```
The code above functions correctly and removes the exact same duplicates, but I want to be able to remove duplicates that have 3 or more exact word matches from a line. For instance:
```
The apple is red
The apple red
The banana is yellow
The apple is red
```
The output with the current code is:
```
The apple is red
The apple red
The banana is yellow
```
But I want to remove the phrase 'The apple red' as well because it has 3 matching words in the line. I hope this makes sense. How do I write this in python?<issue_comment>username_1: Take a look at string distance functions:
1. Hamming distance
2. Levenshtein distance
3. Jaro–Winkler distance
There are also Python packages for [fuzzy string matching](https://github.com/seatgeek/fuzzywuzzy) - I believe this one implements method 2. These aren't going to do the word matching like you mentioned, but the string distance is perhaps a more robust method of achieving your goal.
Upvotes: 0 <issue_comment>username_2: A very simple approach that may do what you want is to iterate over a list of the sets of words that have been seen in each line so far:
```
lines_seen = []
outfile = open("out.txt", "w")
for line in open("file.txt", "r"):
words = set(line.split())
for word_set in lines_seen:
if len(words.intersection(word_set)) >= 3:
break
else:
outfile.write(line)
lines_seen.append(words)
outfile.close()
```
yields
```
The apple is red
The banana is yellow
```
Of course, this ignores some of the subtleties alluded to in the comments to your question. You may be better off with a specialized library such as [`difflib`](https://docs.python.org/3.6/library/difflib.html).
Upvotes: 3 [selected_answer] |
2018/03/21 | 268 | 999 | <issue_start>username_0: I would like when i click on my item, this item can execute my command
View :
```
```
ViewModel :
```
public RelayCommand ChangeView{ get; private set; }
public VM_liste(INavigationService navigationService)
{
_navigationService = navigationService;
ChangeView= new RelayCommand(_ChangeView);
}
private void _ChangeView()
{
_navigationService.GoBack();
}
```
But i click, on my selectedItem Or on the button. There is Nothing.
However if i click on my ReturnButton It's working...<issue_comment>username_1: You need it like this with the DataContext set to a ListViewModel Instance.
```
```
And your ViewModels:
```
public class ListViewModel {
public ObservableCollection Items => ...;
public RelayCommand ChangeView1 => ...;
}
public class ListItemViewModel {
public string Name => ...;
public RelayCommand ChangeView2 => ...;
}
```
Upvotes: 2 <issue_comment>username_2: Another way: You can try out this example.
```
```
Upvotes: 0 |
2018/03/21 | 701 | 2,290 | <issue_start>username_0: I have tried to change the user agent in react native fetch API:
```
const URLENCODED_HEADER = {
'Accept': 'application/json',
'Content-Type': 'application/json',
'User-Agent': Platform.OS + "/" + DeviceInfo.getUniqueID().toString()
}
export async function doRegister(secureInfo) {
formBody = encodeParameters(secureInfo)
try {
let response = await fetch(SERVER_URL+'/user/register', {
method: "POST",
headers: URLENCODED_HEADER,
body: formBody,
credentials: 'include'
});
let responseJson = await response.json();
return responseJson;
} catch(error) {
console.error(error);
throw error;
}
}
```
I have also checked the requests' header in Reactotron:
[](https://i.stack.imgur.com/itOqK.png)
And it shows the correct information I want.
However, on the server side, the `ua` is still the default for android and ios devices:
`Mozilla/5.0 (iPad; CPU OS 11_2_6 like Mac OS X) AppleWebKit/604.5.6 (KHTML, like Gecko) Version/11.0 Mobile/15D100 Safari/604.1`
`okhttp/3.6.0`
`Dalvik/2.1.0 (Linux; U; Android 5.1.1; Coolpad 3622A Build/LMY47V)`
Is it possible to change the `user-agent` for requests sent in react-native and how if so?<issue_comment>username_1: Try to `Stop Remote JS Debug` to test it.
I was dealing with the same problem too.
It worked for me. :)
Some notes:
1. it's only for React Native
2. React Native already has a default User-Agent. Something like: `/ CFNetwork/975.0.3 Darwin/17.7.0`
3. while using Remote JS Debugging, it'll use the browser user-agent. Something like: `Mozilla/5.0 (Macintosh; Intel Mac OS X 10_13_6) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/71.0.3578.98 Safari/537.36`
Upvotes: 2 <issue_comment>username_2: <https://reactnative.dev/docs/network#configuring-nsurlsession-on-ios>
For some applications it may be appropriate to provide a custom `NSURLSessionConfiguration` for the underlying NSURLSession that is used for network requests in a React Native application running on **iOS**. For instance, one may need to set a custom user agent string for all network requests coming from the app or supply `NSURLSession` with an emphemeral `NSURLSessionConfiguration`.
Upvotes: 1 |
Subsets and Splits