date
stringlengths
10
10
nb_tokens
int64
60
629k
text_size
int64
234
1.02M
content
stringlengths
234
1.02M
2018/03/22
2,284
7,903
<issue_start>username_0: I've attached an example of what I am tasked with creating. For now I am just focusing on the lower triangular part of the matrix. For some reason the output is completely blank when I run the program. Any help here is much appreciated.[![enter image description here](https://i.stack.imgur.com/KEFbz.png)](https://i.stack.imgur.com/KEFbz.png) ``` while (rowsAndColumns < 4 || rowsAndColumns > 20) { System.out.print("How many rows and columns (min 4 & max 20)? "); rowsAndColumns = input_scanner.nextInt(); } int[][] intMatrix = new int[rowsAndColumns][rowsAndColumns]; System.out.print("What is the starting number for your integer filled square (between 0 and 50 inclusive): "); startingNumber = input_scanner.nextInt(); for (x = 0; x <= (rowsAndColumns - 1); x++) { for (y = 0; y <= (rowsAndColumns - 1); y++) { intMatrix[y][x] = startingNumber; startingNumber++; } } for (x = 0; x < intMatrix.length; x++) { for (y = 0; y < intMatrix[x].length; y++) { System.out.print(intMatrix[x][y] + " "); } System.out.println(""); } ```<issue_comment>username_1: > > For now I am just focusing on the lower triangular part of the > matrix. > > > There's a very small error in your program. In your inner loop with y, you need to start with y=x, not y=0. Here's the working sample that will print the lower triangular: ``` Integer rowsAndColumns = 0; Integer startingNumber = 0; Scanner input_scanner = new Scanner(System.in); System.out.print("How many rows and columns (min 4 & max 20)? "); rowsAndColumns = input_scanner.nextInt(); System.out.print("What is the starting number for your integer filled square (between 0 and 50 inclusive): "); startingNumber = input_scanner.nextInt(); int[][] intMatrix = new int[rowsAndColumns][rowsAndColumns]; for (int x = 0; x <= (rowsAndColumns - 1); x++) { for (int y = x; y <= (rowsAndColumns - 1); y++) { intMatrix[y][x] = startingNumber; startingNumber++; } } for (int x = 0; x < intMatrix.length; x++) { for (int y = 0; y < intMatrix[x].length; y++) { System.out.print(intMatrix[x][y] + " "); } System.out.println(""); } ``` Upvotes: 2 [selected_answer]<issue_comment>username_2: This answer is based on the inspiration that, while your required output is difficult to formulate in Java terms, the *transpose* of that matrix is actually quite straightforward: ``` 1 2 3 4 5 25 6 7 8 9 24 23 10 11 12 22 21 20 13 14 19 18 17 16 15 ``` It should be fairly obvious that to generate the above matrix, we can just keep two counters, starting at 1 and 25 respectively, and then fill in each row. Once we generate this matrix, we can print the transpose to get the actual output you want. ``` int size = 5; int[][] matrix = new int[size][size]; int start = 1; int end = size*size; for (int r=0; r < size; ++r) { int col=0; while (col < r) { matrix[r][col++] = end--; } while (col < size) { matrix[r][col++] = start++; } } // now print the transpose: for (int r=0; r < size; ++r) { for (int c=0; c < size; ++c) { System.out.print(matrix[c][r] + " "); } System.out.println(""); } ``` This generates the following output: ``` 1 25 24 22 19 2 6 23 21 18 3 7 10 20 17 4 8 11 13 16 5 9 12 14 15 ``` [Demo ----](http://rextester.com/BVKK14782) Upvotes: 2 <issue_comment>username_3: Here , I have made a solution according to your task. In your task there is First level challange is to calculating last element of matrix based on starting number which entered by user that will be anything and according to your task there is starting number is 1 so it's easy to calculate but here I made an formula which will calculate last element of matrix. Let's suppose you have entered your matrix size is X\*X and starting number is M and if I am denoting lastElement of matrix using K than : ``` K = totalMatrixElement(X*X) + (M-1); ``` Now, I have lower and upper element of matrix which are : ``` lowerConter = M and upperCounter = K ``` Now I am ready to fill my matrix and print out my matrix in various format like displayCompleteMatrix or displayLowerTrangleMatrix or displayUpperTrangleMatrix. Have a Look of My Program : ``` package com; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; public class LowerTrangleMatrix { public static void main(String...strings) throws NumberFormatException, IOException { BufferedReader read = new BufferedReader(new InputStreamReader(System.in)); int rowsAndColumns = 0; boolean flag = true; do { try { System.out.println("How many rows and columns (min 4 & max 20)? "); rowsAndColumns = Integer.parseInt(read.readLine()); if ((rowsAndColumns > 3 && rowsAndColumns < 21)) { System.out.println("Your row * column is " + rowsAndColumns + "*" + rowsAndColumns); flag = false; } else { System.out.println("Your Input is Not Acceptable try again..."); } } catch (NumberFormatException ex) { System.out.println("Input must be Integer."); } } while (flag); int[][] matrix = new int[rowsAndColumns][rowsAndColumns]; int startingNumber = 0; flag = true; do { try { System.out.print("What is the starting number for your integer filled square (between 0 and 50 inclusive): "); startingNumber = Integer.parseInt(read.readLine()); if ((startingNumber > 0 && startingNumber < 50)) { System.out.println("Your matrix will be start fillup with : " + startingNumber); flag = false; } else { System.out.println("Your Input is Not Acceptable try again..."); } } catch (NumberFormatException ex) { System.out.println("Input must be Integer."); } } while (flag); matrixFill(matrix, rowsAndColumns, startingNumber); displayCompleteMatrix(matrix, rowsAndColumns); displayLowerTrangleMatrix(matrix, rowsAndColumns); displayUpperTrangleMatrix(matrix, rowsAndColumns); } public static void matrixFill(int[][] matrix, int rowsAndColumns, int startingNumber) { int lowerCounter = startingNumber; int totalMatrixElement = rowsAndColumns * rowsAndColumns; int upperCounter = totalMatrixElement + (lowerCounter - 1); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { if (j >= i) { matrix[j][i] = lowerCounter++; } else { matrix[j][i] = upperCounter--; } } } } public static void displayCompleteMatrix(int[][] matrix, int rowsAndColumns) { System.out.println("Filled Matrix :::::::::::"); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { System.out.print(" " + matrix[i][j]); } System.out.println(); } } public static void displayLowerTrangleMatrix(int[][] matrix, int rowsAndColumns) { System.out.println("Lower Trangle Matrix :::::::::::"); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { if (i >= j) System.out.print(" " + matrix[i][j]); else System.out.print(" 0"); } System.out.println(); } } public static void displayUpperTrangleMatrix(int[][] matrix, int rowsAndColumns) { System.out.println("Upper Trangle Matrix :::::::::::"); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { if (i <= j) System.out.print(" " + matrix[i][j]); else System.out.print(" 0"); } System.out.println(); } } } ``` Upvotes: 2
2018/03/22
2,149
7,546
<issue_start>username_0: I am having a problem with using `JQuery` to read a text file and get the value out of the JQuery get function. As the code below, the first `console.log` will display causes correctly, however when it comes out the function the second console log will not have anything. I am wondering how to fix this? ``` function getCauses() { var causes = new Array(); if ($("#game-type").val() == "basketball") { $.get('basketball.txt', function(data) { //split on new lines causes = data.split('\n'); console.log(causes); }); console.log("second: " + causes); } var c = ""; for (var i = 0; i < causes.length; i++) { c += "" + causes[i] + ""; } return c; } ```<issue_comment>username_1: > > For now I am just focusing on the lower triangular part of the > matrix. > > > There's a very small error in your program. In your inner loop with y, you need to start with y=x, not y=0. Here's the working sample that will print the lower triangular: ``` Integer rowsAndColumns = 0; Integer startingNumber = 0; Scanner input_scanner = new Scanner(System.in); System.out.print("How many rows and columns (min 4 & max 20)? "); rowsAndColumns = input_scanner.nextInt(); System.out.print("What is the starting number for your integer filled square (between 0 and 50 inclusive): "); startingNumber = input_scanner.nextInt(); int[][] intMatrix = new int[rowsAndColumns][rowsAndColumns]; for (int x = 0; x <= (rowsAndColumns - 1); x++) { for (int y = x; y <= (rowsAndColumns - 1); y++) { intMatrix[y][x] = startingNumber; startingNumber++; } } for (int x = 0; x < intMatrix.length; x++) { for (int y = 0; y < intMatrix[x].length; y++) { System.out.print(intMatrix[x][y] + " "); } System.out.println(""); } ``` Upvotes: 2 [selected_answer]<issue_comment>username_2: This answer is based on the inspiration that, while your required output is difficult to formulate in Java terms, the *transpose* of that matrix is actually quite straightforward: ``` 1 2 3 4 5 25 6 7 8 9 24 23 10 11 12 22 21 20 13 14 19 18 17 16 15 ``` It should be fairly obvious that to generate the above matrix, we can just keep two counters, starting at 1 and 25 respectively, and then fill in each row. Once we generate this matrix, we can print the transpose to get the actual output you want. ``` int size = 5; int[][] matrix = new int[size][size]; int start = 1; int end = size*size; for (int r=0; r < size; ++r) { int col=0; while (col < r) { matrix[r][col++] = end--; } while (col < size) { matrix[r][col++] = start++; } } // now print the transpose: for (int r=0; r < size; ++r) { for (int c=0; c < size; ++c) { System.out.print(matrix[c][r] + " "); } System.out.println(""); } ``` This generates the following output: ``` 1 25 24 22 19 2 6 23 21 18 3 7 10 20 17 4 8 11 13 16 5 9 12 14 15 ``` [Demo ----](http://rextester.com/BVKK14782) Upvotes: 2 <issue_comment>username_3: Here , I have made a solution according to your task. In your task there is First level challange is to calculating last element of matrix based on starting number which entered by user that will be anything and according to your task there is starting number is 1 so it's easy to calculate but here I made an formula which will calculate last element of matrix. Let's suppose you have entered your matrix size is X\*X and starting number is M and if I am denoting lastElement of matrix using K than : ``` K = totalMatrixElement(X*X) + (M-1); ``` Now, I have lower and upper element of matrix which are : ``` lowerConter = M and upperCounter = K ``` Now I am ready to fill my matrix and print out my matrix in various format like displayCompleteMatrix or displayLowerTrangleMatrix or displayUpperTrangleMatrix. Have a Look of My Program : ``` package com; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; public class LowerTrangleMatrix { public static void main(String...strings) throws NumberFormatException, IOException { BufferedReader read = new BufferedReader(new InputStreamReader(System.in)); int rowsAndColumns = 0; boolean flag = true; do { try { System.out.println("How many rows and columns (min 4 & max 20)? "); rowsAndColumns = Integer.parseInt(read.readLine()); if ((rowsAndColumns > 3 && rowsAndColumns < 21)) { System.out.println("Your row * column is " + rowsAndColumns + "*" + rowsAndColumns); flag = false; } else { System.out.println("Your Input is Not Acceptable try again..."); } } catch (NumberFormatException ex) { System.out.println("Input must be Integer."); } } while (flag); int[][] matrix = new int[rowsAndColumns][rowsAndColumns]; int startingNumber = 0; flag = true; do { try { System.out.print("What is the starting number for your integer filled square (between 0 and 50 inclusive): "); startingNumber = Integer.parseInt(read.readLine()); if ((startingNumber > 0 && startingNumber < 50)) { System.out.println("Your matrix will be start fillup with : " + startingNumber); flag = false; } else { System.out.println("Your Input is Not Acceptable try again..."); } } catch (NumberFormatException ex) { System.out.println("Input must be Integer."); } } while (flag); matrixFill(matrix, rowsAndColumns, startingNumber); displayCompleteMatrix(matrix, rowsAndColumns); displayLowerTrangleMatrix(matrix, rowsAndColumns); displayUpperTrangleMatrix(matrix, rowsAndColumns); } public static void matrixFill(int[][] matrix, int rowsAndColumns, int startingNumber) { int lowerCounter = startingNumber; int totalMatrixElement = rowsAndColumns * rowsAndColumns; int upperCounter = totalMatrixElement + (lowerCounter - 1); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { if (j >= i) { matrix[j][i] = lowerCounter++; } else { matrix[j][i] = upperCounter--; } } } } public static void displayCompleteMatrix(int[][] matrix, int rowsAndColumns) { System.out.println("Filled Matrix :::::::::::"); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { System.out.print(" " + matrix[i][j]); } System.out.println(); } } public static void displayLowerTrangleMatrix(int[][] matrix, int rowsAndColumns) { System.out.println("Lower Trangle Matrix :::::::::::"); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { if (i >= j) System.out.print(" " + matrix[i][j]); else System.out.print(" 0"); } System.out.println(); } } public static void displayUpperTrangleMatrix(int[][] matrix, int rowsAndColumns) { System.out.println("Upper Trangle Matrix :::::::::::"); for (int i = 0; i < rowsAndColumns; i++) { for (int j = 0; j < rowsAndColumns; j++) { if (i <= j) System.out.print(" " + matrix[i][j]); else System.out.print(" 0"); } System.out.println(); } } } ``` Upvotes: 2
2018/03/22
997
3,423
<issue_start>username_0: This code below is responsive and resizes etc. But I'm looking for some real simple CSS to resize when on desktop and mobile. I get that I can muck with the CSS from the header link w3.css, but there has to be a better way to just easily display some things on desktop vs mobile. And mobile defaults to displaying inline, yet on desktop displays as 3 rows. Is there an easier solution than the w3 school? Just trying to do a couple rows, that then resize to single on mobile... Link rel goes in header: ``` w3-third -------- Stuff here too w3-third -------- w3-third -------- ``` I've got to here below with help from Ahmed and Raven. But not centering. I also changed to 90% to allow for some spacing. Works for the most part, but not centering on larger width. Does flip to single rows when smaller width, which is good. I'm looking for that mobile reponse like that. Easy code so far to, and I can easily manipulate. CSS ``` @media only screen and (min-width:320px) and (max-width: 600px) { .display { width: 90%; background: #f1f1f1; padding: 10px; border: solid 2px #998E67; margin: 5px; } } @media only screen and (min-width:600px) { .display { float: left; width: 30%; background: #f1f1f1; padding: 10px; border: solid 2px #998E67; margin: 5px; } } ``` Not sure if I need this outside div align center, doesn't seem to work. ``` ![](../../images/img.png) This is first ------------- This is second -------------- This is Third ------------- ![](../../images/image) ```<issue_comment>username_1: You can use media query. Then you can handle the style for every pixel ``` @media only screen and (min-width: 320px) and (max-width: 575px) { //Use your styling here } @media only screen and (min-width: 576px) and (max-width: 767px) { //Use your styling here } ``` Upvotes: 2 <issue_comment>username_2: You can use media queries for that. Give each one of them around 33% width on desktop and around 100% width on mobile. ``` @media only screen and (min-width:320px) and (max-width: 600px) { .w3-third { width: 100% } } @media only screen and (min-width:600px) { .w3-third { float: left; width: 33.33%; } } ``` That way, you can adjust the sizing of the columns easily using different media queries. Btw, make sure to include clearfix on the parent (`.w3-row` in this case). **Edit:** centering involves a little bit of math. i've created a fiddle for you with some explaination. <https://jsfiddle.net/zmvphaj0/4/> The way width is calculated is that you first count the number of times the empty space (or gutter) occurs (2 in our case), so if you were to take the full available width and subtract 2 times gutter, you'll have the remaining space that the columns should cover. So you divide the remaining space by 3 (note that the parentheses in that formula make it work). Now you give a margin-left to all but the first (or margin-right to all but last) column. Same logic works for all other column widths in a 12 column grid layout. **Edit 2:** Updated fiddle link with media queries. Thx Rav... Working Fiddle: jsfiddle.net/w648ng81/36 Upvotes: 2 [selected_answer]
2018/03/22
1,356
4,561
<issue_start>username_0: I have everything working except I cant figure out why my code wont find the least common letter I have a for loop that is supposed to find the least common letter but it isn't giving me anything. it gives me the most common but not the least. ``` FileReader file = new FileReader("\\src\\alphaCounter\\"); BufferedReader reader = new BufferedReader(file); HashMap myHashSet = new HashMap(); myHashSet.put('a', 0); /\*\* this goes to Z int mostCommon = 0; char mostCommonLtr = ' '; int leastCommont = 0; char leastCommonLtr = ' '; Object[] words = reader.lines().toArray(); /\*\* \* this loop has changed all the letters to lower case \*/ for(Object word : words){ String wordString = word.toString(); wordString = wordString.toLowerCase(); /\*\* \* \*/ if(wordString.length() > bigWord.length()){ bigWord = wordString; } for(int alpha = 0; alpha < wordString.length(); alpha++){ myHashSet.put(wordString.charAt(alpha), myHashSet.get(wordString.charAt(alpha)) + 1); } } for(int alpha = 'a'; alpha<= 'z'; alpha++){ System.out.println("The number of " + (char)alpha + "'s in the words.txt = " + myHashSet.get((char)alpha )); if(myHashSet.get((char)alpha) > mostCommon) { mostCommonLtr = (char)alpha; mostCommon = myHashSet.get((char)alpha); /\*\* \* this gave me the most common letter \*/ if(myHashSet.get((char)alpha) < leastCommont) { leastCommonLtr = (char)alpha; leastCommont = myHashSet.get((char)alpha); /\*\* \* this was supposed to give me the least common \*/ } } System.out.println("The letter that appeared the least is " + leastCommonLtr); System.out.println("The letter that appears the most is " + mostCommonLtr); ```<issue_comment>username_1: **Replace** `int leastCommont = 0;` **With** `int leastCommont = Integer.MAX_VALUE;` **Reason** With `leastCommont` initialized to 0, the following condition of your code is never satisfied: `if(myHashSet.get((char)alpha) < leastCommont)` Upvotes: 1 <issue_comment>username_2: ``` if(myHashSet.get((char)alpha) != null && myHashSet.get((char)alpha) > mostCommon) { mostCommonLtr = (char)alpha; mostCommon = myHashSet.get((char)alpha); /** * this gave me the most common letter */ } if(myHashSet.get((char)alpha) != null && myHashSet.get((char)alpha) > leastCommont && alpha != mostCommonLtr ) { leastCommonLtr = (char)alpha; leastCommont = myHashSet.get((char)alpha); /** * this was supposed to give me the least common */ } ``` Try using the above piece of code. You have got the Highest and Lowest in the same if clause. you need to handle it differently. From the earlier code, it was not even coming to the least used character. Upvotes: 1 [selected_answer]<issue_comment>username_3: I hope this code will help you. I made a simple char counter. You can make a function what you want using this. if you want to case-insentitive, make input string to lower or upper case. ``` String wordString = "a1s3df2ad2fsa3dfwe3wrqasdf"; System.out.println("input string="+wordString) ; char[] cword = wordString.toCharArray(); List mylist = new ArrayList(); Set charset = new HashSet(); HashMap myHashSet = new HashMap(); int maxcnt, mincnt; for (char c : cword) { mylist.add(c); charset.add(c); } for (Character c : charset) { int freq= Collections.frequency(mylist, c) ; System.out.println("alpha " + c + " freq="+freq ); myHashSet.put(c, freq) ; } maxcnt = Collections.max(myHashSet.values()) ; mincnt = Collections.min(myHashSet.values()) ; System.out.println("maxcnt="+maxcnt+" mincnt="+mincnt) ; // get max alpha System.out.print("max count alphas: ") ; for (Character c : charset ) { if ( maxcnt == myHashSet.get(c).intValue() ) { System.out.print(" "+c); } } System.out.println("") ; // get min alpha System.out.print("min count alphas: ") ; for (Character c : charset ) { if ( mincnt == myHashSet.get(c).intValue() ) { System.out.print(" "+c); } } System.out.println("") ; ``` sample's output ``` input string=a1s3df2ad2fsa3dfwe3wrqasdf alpha a freq=4 alpha 1 freq=1 alpha q freq=1 alpha 2 freq=2 alpha r freq=1 alpha s freq=3 alpha 3 freq=3 alpha d freq=4 alpha e freq=1 alpha f freq=4 alpha w freq=2 maxcnt=4 mincnt=1 max count alphas: a d f min count alphas: 1 q r e ``` Upvotes: 0
2018/03/22
1,104
3,613
<issue_start>username_0: I'm kind of new to R, and I need to convert several datasets into one big mysql table. What I need is to iterate each row of the dataset and get each row adding the label of the column and value of the row as well as its id into a new row. Example: Lets say the dataset below: ``` ID NAME AGE 1 2589 Joe 31 2 2590 Joseph 15 3 2591 Maria 40 ``` I need to turn it into: ``` id question answer 1 2589 NAME Joe 2 2589 AGE 31 3 2590 NAME Joseph 4 2590 AGE 15 5 2591 NAME Maria 6 2591 AGE 40 ``` I need to do this to several datasets that doesn't have the same number of columns, but the result dataset should have the same format. Can anyone help me?<issue_comment>username_1: **Replace** `int leastCommont = 0;` **With** `int leastCommont = Integer.MAX_VALUE;` **Reason** With `leastCommont` initialized to 0, the following condition of your code is never satisfied: `if(myHashSet.get((char)alpha) < leastCommont)` Upvotes: 1 <issue_comment>username_2: ``` if(myHashSet.get((char)alpha) != null && myHashSet.get((char)alpha) > mostCommon) { mostCommonLtr = (char)alpha; mostCommon = myHashSet.get((char)alpha); /** * this gave me the most common letter */ } if(myHashSet.get((char)alpha) != null && myHashSet.get((char)alpha) > leastCommont && alpha != mostCommonLtr ) { leastCommonLtr = (char)alpha; leastCommont = myHashSet.get((char)alpha); /** * this was supposed to give me the least common */ } ``` Try using the above piece of code. You have got the Highest and Lowest in the same if clause. you need to handle it differently. From the earlier code, it was not even coming to the least used character. Upvotes: 1 [selected_answer]<issue_comment>username_3: I hope this code will help you. I made a simple char counter. You can make a function what you want using this. if you want to case-insentitive, make input string to lower or upper case. ``` String wordString = "a1s3df2ad2fsa3dfwe3wrqasdf"; System.out.println("input string="+wordString) ; char[] cword = wordString.toCharArray(); List mylist = new ArrayList(); Set charset = new HashSet(); HashMap myHashSet = new HashMap(); int maxcnt, mincnt; for (char c : cword) { mylist.add(c); charset.add(c); } for (Character c : charset) { int freq= Collections.frequency(mylist, c) ; System.out.println("alpha " + c + " freq="+freq ); myHashSet.put(c, freq) ; } maxcnt = Collections.max(myHashSet.values()) ; mincnt = Collections.min(myHashSet.values()) ; System.out.println("maxcnt="+maxcnt+" mincnt="+mincnt) ; // get max alpha System.out.print("max count alphas: ") ; for (Character c : charset ) { if ( maxcnt == myHashSet.get(c).intValue() ) { System.out.print(" "+c); } } System.out.println("") ; // get min alpha System.out.print("min count alphas: ") ; for (Character c : charset ) { if ( mincnt == myHashSet.get(c).intValue() ) { System.out.print(" "+c); } } System.out.println("") ; ``` sample's output ``` input string=a1s3df2ad2fsa3dfwe3wrqasdf alpha a freq=4 alpha 1 freq=1 alpha q freq=1 alpha 2 freq=2 alpha r freq=1 alpha s freq=3 alpha 3 freq=3 alpha d freq=4 alpha e freq=1 alpha f freq=4 alpha w freq=2 maxcnt=4 mincnt=1 max count alphas: a d f min count alphas: 1 q r e ``` Upvotes: 0
2018/03/22
1,570
5,338
<issue_start>username_0: Tables: ``` CREATE TABLE Participation( ParticipationId INT UNSIGNED AUTO_INCREMENT, SwimmerId INT UNSIGNED NOT NULL, EventId INT UNSIGNED NOT NULL, Committed BOOLEAN, CommitTime DATETIME, Participated BOOLEAN, Result VARCHAR(100), Comment VARCHAR(100), CommentCoachId INT UNSIGNED, CONSTRAINT participation_pk PRIMARY KEY(ParticipationId), CONSTRAINT participation_ck_1 UNIQUE(SwimmerId, EventId), CONSTRAINT participation_swimmer_fk FOREIGN KEY(SwimmerId) REFERENCES Swimmer(SwimmerId), CONSTRAINT participation_event_fk FOREIGN KEY(EventId) REFERENCES Event(EventId), CONSTRAINT participation_coach_fk FOREIGN KEY(CommentCoachId) REFERENCES Coach(CoachId) ); CREATE TABLE Swimmer( SwimmerId INT UNSIGNED AUTO_INCREMENT, LName VARCHAR(30) NOT NULL, FName VARCHAR(30) NOT NULL, Phone VARCHAR(12) NOT NULL, EMail VARCHAR(60) NOT NULL, JoinTime DATE NOT NULL, CurrentLevelId INT UNSIGNED NOT NULL, Main_CT_Id INT UNSIGNED NOT NULL, Main_CT_Since DATE NOT NULL, CONSTRAINT swimmer_pk PRIMARY KEY(SwimmerId), CONSTRAINT swimmer_level_fk FOREIGN KEY(CurrentLevelId) REFERENCES Level(LevelId), CONSTRAINT swimmer_caretaker_fk FOREIGN KEY(Main_CT_Id) REFERENCES Caretaker(CT_Id) ); CREATE TABLE Event( EventId INT UNSIGNED AUTO_INCREMENT, Title VARCHAR(100) NOT NULL, StartTime TIME NOT NULL, EndTime TIME NOT NULL, MeetId INT UNSIGNED NOT NULL, LevelId INT UNSIGNED NOT NULL, CONSTRAINT event_pk PRIMARY KEY(EventId), CONSTRAINT event_meet_fk FOREIGN KEY(MeetId) REFERENCES Meet(MeetId), CONSTRAINT event_level_fk FOREIGN KEY(LevelId) REFERENCES Level(LevelId) ); ``` There are 3 tables, I'm suppose to list the names of the swimmers who have -- participated in in event 3 but not event 4. First I tried this: `SELECT s.FName AS "fname", s.LName AS "lname" FROM Swimmer s, Participation p, Event e WHERE s.SwimmerId = p.SwimmerId AND e.EventId = p.EventId AND p.EventId = 3 AND p.EventId != 4;` I've been searching on online for a while now but haven't been able to find anything like this exactly. This is the closest I got to finding a solution: [Where clause for equals a field, not equal another](https://stackoverflow.com/questions/12396112/where-clause-for-equals-a-field-not-equal-another) but I'm not quiet sure what my "wp\_posts.id" and "wp\_term\_relationships" would be in my situation.<issue_comment>username_1: **Replace** `int leastCommont = 0;` **With** `int leastCommont = Integer.MAX_VALUE;` **Reason** With `leastCommont` initialized to 0, the following condition of your code is never satisfied: `if(myHashSet.get((char)alpha) < leastCommont)` Upvotes: 1 <issue_comment>username_2: ``` if(myHashSet.get((char)alpha) != null && myHashSet.get((char)alpha) > mostCommon) { mostCommonLtr = (char)alpha; mostCommon = myHashSet.get((char)alpha); /** * this gave me the most common letter */ } if(myHashSet.get((char)alpha) != null && myHashSet.get((char)alpha) > leastCommont && alpha != mostCommonLtr ) { leastCommonLtr = (char)alpha; leastCommont = myHashSet.get((char)alpha); /** * this was supposed to give me the least common */ } ``` Try using the above piece of code. You have got the Highest and Lowest in the same if clause. you need to handle it differently. From the earlier code, it was not even coming to the least used character. Upvotes: 1 [selected_answer]<issue_comment>username_3: I hope this code will help you. I made a simple char counter. You can make a function what you want using this. if you want to case-insentitive, make input string to lower or upper case. ``` String wordString = "a1s3df2ad2fsa3dfwe3wrqasdf"; System.out.println("input string="+wordString) ; char[] cword = wordString.toCharArray(); List mylist = new ArrayList(); Set charset = new HashSet(); HashMap myHashSet = new HashMap(); int maxcnt, mincnt; for (char c : cword) { mylist.add(c); charset.add(c); } for (Character c : charset) { int freq= Collections.frequency(mylist, c) ; System.out.println("alpha " + c + " freq="+freq ); myHashSet.put(c, freq) ; } maxcnt = Collections.max(myHashSet.values()) ; mincnt = Collections.min(myHashSet.values()) ; System.out.println("maxcnt="+maxcnt+" mincnt="+mincnt) ; // get max alpha System.out.print("max count alphas: ") ; for (Character c : charset ) { if ( maxcnt == myHashSet.get(c).intValue() ) { System.out.print(" "+c); } } System.out.println("") ; // get min alpha System.out.print("min count alphas: ") ; for (Character c : charset ) { if ( mincnt == myHashSet.get(c).intValue() ) { System.out.print(" "+c); } } System.out.println("") ; ``` sample's output ``` input string=a1s3df2ad2fsa3dfwe3wrqasdf alpha a freq=4 alpha 1 freq=1 alpha q freq=1 alpha 2 freq=2 alpha r freq=1 alpha s freq=3 alpha 3 freq=3 alpha d freq=4 alpha e freq=1 alpha f freq=4 alpha w freq=2 maxcnt=4 mincnt=1 max count alphas: a d f min count alphas: 1 q r e ``` Upvotes: 0
2018/03/22
1,023
3,743
<issue_start>username_0: Let's say I'm testing the below React component with `jest --coverage`: ``` class MyComponent extends React.Component { constructor(props) { super(props) if (props.invalid) { throw new Error('invalid') } } } ``` the coverage report will say that the line `throw new Error('invalid')` is uncovered. Since `.not.toThrow()` doesn't seem to cover anything I create the below test with Enzyme: ``` const wrapper = shallow( ) it('should throw', () => { function fn() { if (wrapper.instance().props.invalid) { throw new Error('invalid') } } expect(fn).toThrow() }) ``` and the line gets covered! However the test itself fails with `encountered a declaration exception` - meaning the original component threw the error (as it should)? Am I using [`toThrow()`](https://facebook.github.io/jest/docs/en/expect.html#tothrowerror) wrong?<issue_comment>username_1: username_2, I think the problem is that you throw error while *constructuring* component. And it fails test, as it should (you're totally right). Instead, if you can extract prop-checking function somewhere else, where it will not be called during mounting - it will work perfectly. For example, I modified your snippets as ``` export default class MyComponent extends React.Component { constructor(props) { super(props) } componentWillReceiveProps(nextProps) { if (nextProps.invalid) { throw new Error('invalid') } } render() { return ( ) } } ``` and ``` const wrapper = shallow( ) it('should throw', () => { function fn() { wrapper.setProps({invalid: true}); }; expect(fn).toThrow(); }) ``` So, if you have a chance to not throw an error while mounting - you will be able to test it. Upvotes: 0 <issue_comment>username_2: Apparently this is connected to [how React 16 handles errors](https://reactjs.org/blog/2017/07/26/error-handling-in-react-16.html). I managed to get the test passing by wrapping `MyComponent` with a parent React component that has a `componentDidCatch` method. This made the test pass but to affect the coverage, I had to change `shallow` to `mount`. The test ended up looking like this: ``` class ParentComponent extends React.Component { componentDidCatch(error) { // console.log(error) } render() { return this.props.children } } class MyComponent extends React.Component { constructor(props) { super(props) if (props.invalid) { throw new Error('invalid') } } } const wrapper = mount( ) it('should throw', () => { function fn() { if (wrapper.props().invalid) { throw new Error('invalid test') } } expect(fn).toThrow() }) ``` **UPDATE** After realizing that the problem was an error being thrown inside `shallow` or `mount` (before it got to the test), I simplified the whole thing to this: ``` class MyComponent extends React.Component { constructor(props) { super(props) if (props.invalid) { throw new Error('invalid') } } } it('should throw', () => { let error try { shallow() } catch (e) { error = e } expect(error).toBeInstanceOf(Error) }) ``` Upvotes: 3 <issue_comment>username_3: Realise this is an old question, but for future viewers, I thought I'd expand on @username_2's answer. Rather than using a try/catch, you could simply wrap your `shallow`/`mount` in an anonymous function and then use `.toThrowError()` instead: ``` const TestComponent = () => { throw new Error('Test error'); } describe('Test Component', () => { it('Throws an error', () => { expect(() => shallow()).toThrowError(); }); }); ``` This gives you much cleaner code, with the same result. Upvotes: 4 [selected_answer]
2018/03/22
3,194
9,905
<issue_start>username_0: I'm trying to teach myself how to use lambda expressions in Java instead of regular external iteration type solutions. I've made a short program where I use a stream of integers and assign them grade letters. Instead of using the typical "switch" statement, I've used these lambda expressions. Is there any way I can simplify it? It seems like there's a better way to do it. It works, but doesn't look as tidy. ``` grades.stream() .mapToInt(Integer::intValue) .filter(x -> x >= 90) .forEach(x -> System.out.println(x + " -> A")); grades.stream() .mapToInt(Integer::intValue) .filter(x -> x >= 80 && x <= 89) .forEach(x -> System.out.println(x + " -> B")); grades.stream() .mapToInt(Integer::intValue) .filter(x -> x >= 70 && x <= 79) .forEach(x -> System.out.println(x + " -> C")); grades.stream() .mapToInt(Integer::intValue) .filter(x -> x >= 60 && x <= 69) .forEach(x -> System.out.println(x + " -> D")); grades.stream() .mapToInt(Integer::intValue) .filter(x -> x >= 50 && x <= 59) .forEach(x -> System.out.println(x + " -> F")); ``` `grades` is an ArrayList. Is there any way I can combine the logic all in one stream statement? I tried just having them follow eachother but kept getting syntax errors. What am I missing? I tried looking into the documentation for IntStream and Stream and couldn't really find what I was looking for.<issue_comment>username_1: You can add these conditions inside `forEach` statement something like ``` grades.stream() .mapToInt(Integer::intValue) .forEach(x -> { if (x >= 90) System.out.println(x + " -> A"); else if (x >= 80) System.out.println(x + " -> B"); else if (x >= 70) System.out.println(x + " -> C"); ...... // other conditions }); ``` Upvotes: 0 <issue_comment>username_2: ``` for (int x : grades) { if (x >= 90) System.out.println(x + " -> A"); else if (x >= 80) System.out.println(x + " -> B"); else if (x >= 70) System.out.println(x + " -> C"); else if (x >= 60) System.out.println(x + " -> D"); else if (x >= 50) System.out.println(x + " -> F"); } ``` Easier to read and runs faster. ps. What about the "E" grade? Upvotes: -1 <issue_comment>username_3: Just create a separate function to map grade letters and call that in a single stream: ``` static char gradeLetter(int grade) { if (grade >= 90) return 'A'; else if (grade >= 80) return 'B'; else if (grade >= 70) return 'C'; else if (grade >= 60) return 'D'; else return 'F'; } grades.stream() .mapToInt(Integer::intValue) .filter(x -> x >= 50) .forEach(x -> System.out.println(x + " -> " + gradeLetter(x))); ``` If you're particular about ordering the results by grade, you can add a sort to the beginning of your stream: ``` .sorted(Comparator.comparing(x -> gradeLetter(x))) ``` Upvotes: 3 <issue_comment>username_4: If you're open to using a third-party library, this solution will work with Java Streams and [Eclipse Collections](https://github.com/eclipse/eclipse-collections). ``` List grades = List.of(0, 40, 51, 61, 71, 81, 91, 100); grades.stream() .mapToInt(Integer::intValue) .mapToObj(new IntCaseFunction<>(x -> x + " -> F") .addCase(x -> x >= 90, x -> x + " -> A") .addCase(x -> x >= 80 && x <= 89, x -> x + " -> B") .addCase(x -> x >= 70 && x <= 79, x -> x + " -> C") .addCase(x -> x >= 60 && x <= 69, x -> x + " -> D") .addCase(x -> x >= 50 && x <= 59, x -> x + " -> F")) .forEach(System.out::println); ``` This outputs the following: ``` 0 -> F 40 -> F 51 -> F 61 -> D 71 -> C 81 -> B 91 -> A 100 -> A ``` I used the Java 9 factory method for the List and [IntCaseFunction](https://www.eclipse.org/collections/javadoc/9.1.0/org/eclipse/collections/impl/block/function/primitive/IntCaseFunction.html) from Eclipse Collections. The lambda I passed to the constructor will be the default case if none of the other cases match. The number ranges could also be represented by instances of [IntInterval](https://www.eclipse.org/collections/javadoc/9.1.0/org/eclipse/collections/impl/list/primitive/IntInterval.html), which can be tested using contains as a method reference. The following solution will work using Local-variable type inference in Java 10. ``` var mapGradeToLetter = new IntCaseFunction<>(x -> x + " -> F") .addCase(x -> x >= 90, x -> x + " -> A") .addCase(IntInterval.fromTo(80, 89)::contains, x -> x + " -> B") .addCase(IntInterval.fromTo(70, 79)::contains, x -> x + " -> C") .addCase(IntInterval.fromTo(60, 69)::contains, x -> x + " -> D") .addCase(IntInterval.fromTo(50, 59)::contains, x -> x + " -> F"); var grades = List.of(0, 40, 51, 61, 71, 81, 91, 100); grades.stream() .mapToInt(Integer::intValue) .mapToObj(mapGradeToLetter) .forEach(System.out::println); ``` If I drop all of the `Predicates` and `Functions` and remove the `IntCaseFunction` and replace with a method reference call to an instance method using a ternary operator, the following will work. ``` @Test public void grades() { var grades = List.of(0, 40, 51, 61, 71, 81, 91, 100); grades.stream() .mapToInt(Integer::intValue) .mapToObj(this::gradeToLetter) .forEach(System.out::println); } private IntObjectPair gradeToLetter(int grade) { var letterGrade = grade >= 90 ? "A" : grade >= 80 ? "B" : grade >= 70 ? "C" : grade >= 60 ? "D" : "F"; return PrimitiveTuples.pair(grade, letterGrade); } ``` I am using the `toString()` implementation of the pair here, so the following will be the output. ``` 0:F 40:F 51:F 61:D 71:C 81:B 91:A 100:A ``` The output could be customized in the forEach using the number grade and letter grade contained in the pair. **Note**: I am a committer for Eclipse Collections. Upvotes: 2 <issue_comment>username_5: Here's a solution without switch/if,else. It has mappings between the various conditions and the action (printing logic) ``` Map, Consumer> actions = new LinkedHashMap<>(); //Beware of nulls in your list - It can result in a NullPointerException when unboxing actions.put(x -> x >= 90, x -> System.out.println(x + " -> A")); actions.put(x -> x >= 80 && x <= 89, x -> System.out.println(x + " -> B")); actions.put(x -> x >= 70 && x <= 79, x -> System.out.println(x + " -> C")); actions.put(x -> x >= 60 && x <= 69, x -> System.out.println(x + " -> D")); actions.put(x -> x >= 50 && x <= 59, x -> System.out.println(x + " -> F")); grades.forEach(x -> actions.entrySet().stream() .filter(entry -> entry.getKey().apply(x)) .findFirst() .ifPresent(entry -> entry.getValue().accept(x))); ``` *Note:* 1. It is not elegant when compared to the conventional switch/if,else. 2. It is not that efficient as for each grade it can potentially go through each entry in the map (not a big problem since the map has only a few mappings). *Summary:* I would prefer to stick with your original code using switch/if,else. Upvotes: 1 <issue_comment>username_6: There's no way to a "fork" stream into multiple streams, if that's what you're after. The way you've currently written it is the best you can do if you want all of the logic written in the stream manipulation. I think the simplest thing to do here would be to just write the logic for producing the string normally. If you wanted to be fancy about it you could use `mapToObj`, like so: ``` grades.stream() .mapToInt(Integer::intValue) .mapToObj(x -> { if (x >= 90) { return "A"; } //etc }) .forEach(System.out::println); ``` Upvotes: 0 <issue_comment>username_7: You would want separate the logic of translating the marks to a grade (int -> String) and looping through your arraylist. Use streams as a mechanism to loop through your data and a method for translation logic Here is a quick example ``` private static void getGradeByMarks(Integer marks) { if(marks > 100 || marks < 0) { System.err.println("Invalid value " + marks); return; } // whatever the logic for your mapping is switch(marks/10) { case 9: System.out.println(marks + " --> " + "A"); break; case 8: System.out.println(marks + " --> " + "B"); break; case 7: System.out.println(marks + " --> " + "C"); break; case 6: System.out.println(marks + " --> " + "D"); break; default: System.out.println(marks + " --> " + "F"); break; } } public static void main(String[] args) { List grades = Arrays.asList(90,45,56,12,54,88,-6); grades.forEach(GradesStream::getGradeByMarks); } ``` Upvotes: 1 <issue_comment>username_8: The following code produces exactly the same output as you original code, i.e. in the same order. ``` grades.stream() .filter(x -> x >= 50) .collect(Collectors.groupingBy(x -> x<60? 'F': 'E'+5-Math.min(9, x/10))) .entrySet().stream() .sorted(Map.Entry.comparingByKey()) .flatMap(e -> e.getValue().stream().map(i -> String.format("%d -> %c", i, e.getKey()))) .forEach(System.out::println); ``` If you don’t need that order, you can omit the grouping and sorting step: ``` grades.stream() .filter(x -> x >= 50) .map(x -> String.format("%d -> %c", x, x<60? 'F': 'E'+5-Math.min(9, x/10))) .forEach(System.out::println); ``` or ``` grades.stream() .filter(x -> x >= 50) .forEach(x -> System.out.printf("%d -> %c%n", x, x<60? 'F': 'E'+5-Math.min(9, x/10))); ``` or ``` grades.forEach(x -> { if(x >= 50) System.out.printf("%d -> %c%n", x, x<60? 'F': 'E'+5-Math.min(9, x/10)); }); ``` Upvotes: 0
2018/03/22
305
1,006
<issue_start>username_0: I want to search if names have a particular character length. Create a query that searches for names for e.g. between 5 characters and 10 characters. I am guessing its probably something to do with regex, but really got lost. I want something like this ``` $qry = "SELECT * FROM members WHERE names characters > 5 AND names characters < 10" ``` How is this achieved?<issue_comment>username_1: ``` $qry = "SELECT * FROM members WHERE LENGTH(names) BETWEEN 5 AND 10" ``` Upvotes: 0 <issue_comment>username_2: If you want to specifically find `character length` (string length measured in characters), you can use: ``` $qry = "SELECT * FROM members WHERE CHAR_LENGTH(names) > 5 AND CHAR_LENGTH(names) < 10" ``` [Read here - length vs char\_length](https://stackoverflow.com/a/1734340/3677457) Upvotes: 2 <issue_comment>username_3: Following code will be helpful for you, ``` SELECT members.*, LENGTH(names) AS ln FROM members HAVING ln BETWEEN 5 AND 10 ; ``` Upvotes: 0
2018/03/22
683
2,642
<issue_start>username_0: I have heard that "“Private” instance variables that cannot be accessed except from inside an object don’t exist in Python : [as seen here](https://docs.python.org/3/tutorial/classes.html#private-variables) However, we can create private variables using getter and setter methods in python as seen below ``` class C(object): def getx(self): return self._x def setx(self, value): self._x = value x = property(fset=setx) c = C() c.x = 2 print c.x ``` When I try to access c.x, I am getting the error seen below: ``` Traceback (most recent call last): File "d.py", line 12, in print c.x AttributeError: unreadable attribute ``` Does the fact that c.x is not accessible mean that x behaves like a private variable? How does this fact relate to what is said in the link above?<issue_comment>username_1: There is a lot of literature on this topic, but in short: Python is different to programming languages that have actually "private" attributes in that no attribute can be truly inaccessible by other functions. Yes, we can simulate the behaviour of languages like Java using `property`, as you've shown, but that is kind of fudging "true" private attributes. What `property` actually is is a higher-order function (well, technically, it's a decorator), so when you call `c.x`, although it acts as a property, you're really referring to a function that controls whether you can use the getters and setters defined in it. But just because `c.x` doesn't allow direct read access, doesn't mean that you can't call `print c._x` (as @avigil pointed out). So `c._x` isn't really private - it's just as easily accessible as any other attribute belonging to the `C` class. The fact that its name starts with an underscore is just a convention - a signal to fellow programmers: "Please don't handle this variable directly, and use the getters/setters instead" (if available). Upvotes: 3 [selected_answer]<issue_comment>username_2: Yes, Python do support private variables. You can declare a private variable within a class as follows: ``` __variableName = someValue ``` Double underscore(\_\_) followed by a variable and some assigned value. Below Example will help you to get the accessibility nature of private variable: ``` class Book: publisher = 'xyz' #public variable _comm = 12.5 #protected variable __printingCost = 7 #private variable def printPriVar(self): print(self.__printingCost) b = Book() print(b.publisher) print(b._comm) #print(Book.__printingCost) #Error #print(b.__printingCost) #Error ``` Upvotes: -1
2018/03/22
520
1,751
<issue_start>username_0: I have been having some problems with this JS code. The code is supposed to generate an array of random voltages (in the volts array), and then create a new array (the sortedVolts array) where the volts are sorted by lowest to highest. The problem is that my code is sorting not only the sortedVolts array, but also the volts array, which is supposed to remain unsorted. Why is this happening? ```js var volts = []; var sortedVolts; for (var count = 0; count < 3; count++) { volts.push(Math.floor(Math.random() * 100)); } sortedVolts = volts; sortedVolts.sort(); console.log('UNSORTED', volts); console.log('SORTED', sortedVolts); ```<issue_comment>username_1: You are assigning `volts` to the `sortedVolts` variable. You should copy the array instead using `slice()`. Answered in [this question](https://stackoverflow.com/questions/7486085/copying-array-by-value-in-javascript). Upvotes: 1 <issue_comment>username_2: `sortedVolts = volts` does not create a copy of the array, it creates another variable which references the same array. To make it work, you need to make atleast a shallow copy of `volts`, which can be done my `sortedVolts = [ ...volts ]` ```js var volts = []; var sortedVolts; for (var count = 0; count < 3; count++) { volts.push(Math.floor(Math.random() * 100)); } sortedVolts = [...volts]; //CHANGE THIS sortedVolts.sort(); console.log('UNSORTED', volts); console.log('SORTED', sortedVolts); ``` Upvotes: 2 [selected_answer]<issue_comment>username_3: It's happening because of the **call by sharing** evaluation strategy used by JavaScript. Both variables are pointing to same address in the memory. Create a copy of volts array and then sort it with Array.sort Upvotes: 0
2018/03/22
534
1,648
<issue_start>username_0: ``` df = pd.DataFrame(["c", "b", "a p", NaN, "ap"]) df[0].str.get_dummies(' ') ``` The above code prints something like this. ``` a p b c ap 0 0 0 0 1 0 1 0 0 1 0 0 2 1 1 0 0 0 3 0 0 0 0 0 4 0 0 0 0 1 ``` The required output is the following: ``` a p b c 0 0 0 0 1 1 0 0 1 0 2 1 1 0 0 3 0 0 0 0 4 1 1 0 0 ``` I am sure it's bit tricky. Any help is appreciated.<issue_comment>username_1: You are assigning `volts` to the `sortedVolts` variable. You should copy the array instead using `slice()`. Answered in [this question](https://stackoverflow.com/questions/7486085/copying-array-by-value-in-javascript). Upvotes: 1 <issue_comment>username_2: `sortedVolts = volts` does not create a copy of the array, it creates another variable which references the same array. To make it work, you need to make atleast a shallow copy of `volts`, which can be done my `sortedVolts = [ ...volts ]` ```js var volts = []; var sortedVolts; for (var count = 0; count < 3; count++) { volts.push(Math.floor(Math.random() * 100)); } sortedVolts = [...volts]; //CHANGE THIS sortedVolts.sort(); console.log('UNSORTED', volts); console.log('SORTED', sortedVolts); ``` Upvotes: 2 [selected_answer]<issue_comment>username_3: It's happening because of the **call by sharing** evaluation strategy used by JavaScript. Both variables are pointing to same address in the memory. Create a copy of volts array and then sort it with Array.sort Upvotes: 0
2018/03/22
402
1,423
<issue_start>username_0: I know how to make a marker icon in Android/Java ? ``` BitmapDescriptor icon = BitmapDescriptorFactory.defaultMarker(BitmapDescriptorFactory.HUE_BLUE); ``` However,I want to change the color to change from black -> blue (or something) based on the location properties. How do I change an icon's value to achieve this ?<issue_comment>username_1: You are assigning `volts` to the `sortedVolts` variable. You should copy the array instead using `slice()`. Answered in [this question](https://stackoverflow.com/questions/7486085/copying-array-by-value-in-javascript). Upvotes: 1 <issue_comment>username_2: `sortedVolts = volts` does not create a copy of the array, it creates another variable which references the same array. To make it work, you need to make atleast a shallow copy of `volts`, which can be done my `sortedVolts = [ ...volts ]` ```js var volts = []; var sortedVolts; for (var count = 0; count < 3; count++) { volts.push(Math.floor(Math.random() * 100)); } sortedVolts = [...volts]; //CHANGE THIS sortedVolts.sort(); console.log('UNSORTED', volts); console.log('SORTED', sortedVolts); ``` Upvotes: 2 [selected_answer]<issue_comment>username_3: It's happening because of the **call by sharing** evaluation strategy used by JavaScript. Both variables are pointing to same address in the memory. Create a copy of volts array and then sort it with Array.sort Upvotes: 0
2018/03/22
504
1,651
<issue_start>username_0: I have a code like this ``` class Test1 { func demo(\_ obj0: Test1?) { guard var obj1 = obj0 else { return } // obj1 = nil // ERROR // WORK AROUND var obj2 = obj0 obj2 = nil // WORKS FINE } } ``` As mentioned if assign nil to obj1, It shows error ``` // ERROR : Nil cannot be assigned to type 'Test' ``` But if i assign it another variable and assign nil it works fine. I searched and found this: <https://stackoverflow.com/a/30613532/5589073> So what should i do alternative to this error? I don't want 3 rd variable and assign nil<issue_comment>username_1: You are assigning `volts` to the `sortedVolts` variable. You should copy the array instead using `slice()`. Answered in [this question](https://stackoverflow.com/questions/7486085/copying-array-by-value-in-javascript). Upvotes: 1 <issue_comment>username_2: `sortedVolts = volts` does not create a copy of the array, it creates another variable which references the same array. To make it work, you need to make atleast a shallow copy of `volts`, which can be done my `sortedVolts = [ ...volts ]` ```js var volts = []; var sortedVolts; for (var count = 0; count < 3; count++) { volts.push(Math.floor(Math.random() * 100)); } sortedVolts = [...volts]; //CHANGE THIS sortedVolts.sort(); console.log('UNSORTED', volts); console.log('SORTED', sortedVolts); ``` Upvotes: 2 [selected_answer]<issue_comment>username_3: It's happening because of the **call by sharing** evaluation strategy used by JavaScript. Both variables are pointing to same address in the memory. Create a copy of volts array and then sort it with Array.sort Upvotes: 0
2018/03/22
254
763
<issue_start>username_0: I want the help to produce the result of below calculation as 1.12 but the result is coming up 1.0 `double k=(112)/100; System.out.println(k);`<issue_comment>username_1: You are doing `Integer division` causing it to lose the precision: Replace `double k=(112)/100;` with `double k=(112.0)/100;` Upvotes: 1 <issue_comment>username_2: `double k-=((double)112/100)` worked for me as suggested by agni when we do division like (112/100) JVM gives int as an o/p, you are storing that 'int' in 'double' so JVM adds '.0' to the o/p causing loss of precision. so, here you have to tell the JVM to give o/p without any loss. for that reason we have to mention like `double k = (double)112/100; which is similar to "typecasting". Upvotes: 0
2018/03/22
478
1,681
<issue_start>username_0: I have multiple promises like this: ``` module.exports = function (a, b, c) { return someAsync(() => { someFunc(a); }) .then(() => myPromises(a, b, c)) .then(result => { console.log('log the result: ', JSON.stringify(result)); // empty }) }; const myPromises = function myPromises(a, b, c){ Promise.all([ somePromise(a), someOtherPromise(b) ]).then(function (data) { Promise.all([ anotherPromise(data[0]), yetanotherPromise(data[1]) ]).then(function (finalResult) { console.log('check out finalResult: ', JSON.stringify(finalResult)); // i see the expected results here return finalResult; }).catch(err => { return err }); }).catch(err => { return err }); }; ``` why is the `console.log('log the result: ', JSON.stringify(result));` returning empty? in other words, why is this line getting executed before the `promise.all` is finished? how can I make it to wait for promise all and then execute?<issue_comment>username_1: You are doing `Integer division` causing it to lose the precision: Replace `double k=(112)/100;` with `double k=(112.0)/100;` Upvotes: 1 <issue_comment>username_2: `double k-=((double)112/100)` worked for me as suggested by agni when we do division like (112/100) JVM gives int as an o/p, you are storing that 'int' in 'double' so JVM adds '.0' to the o/p causing loss of precision. so, here you have to tell the JVM to give o/p without any loss. for that reason we have to mention like `double k = (double)112/100; which is similar to "typecasting". Upvotes: 0
2018/03/22
381
1,547
<issue_start>username_0: I checked many answers for how I can check an API's response time using `startTime` and `endTime`. But is there any other way to find, using Xcode, where I can see the timing without writing code in API calling section?<issue_comment>username_1: Yep, Xcode comes with Instruments, which has a Time Profiler tool. You can launch Instruments from within Xcode using the Profile button. Since you don't want to modify the code, instead you'd be using the Time Profiler tool to do regular sampling to see how much happens within each sample period. See this [tutorial](http://www.technetexperts.com/mobile/using-time-profiler-xcode-instrument-to-test-ios-application/) for details. Upvotes: 1 <issue_comment>username_1: Here’s another answer to consider: write a unit test to measure the performance of your code. ``` class MyTestCase : XCTest { func testMyAPI() { self.measure { // call your code here. } } } ``` Here’s an article that covers using the measure block: [Continuous Performance Testing of an iOS Apps using XCTest](https://medium.com/xcblog/continuous-performance-testing-of-an-ios-apps-using-xctest-811df87fe227). That article brings up some great pros and cons of this approach, and includes some sample code on GitHub. I recommend you investigate this approach thoroughly, for even if it doesn’t fit your exact need today (it’s up to you), it surely is a great tool to have ready to employ in similar situations. Upvotes: 3 [selected_answer]
2018/03/22
337
1,289
<issue_start>username_0: Whenever I do `SHOW PROCEDURE STATUS` or `SHOW FUNCTION STATUS`, the engine shows me the procedures and functions in ALL my databases and not the one I'm currently connected to. Is there a way to list and/or retrieve information about procedures and functions from ONE specific database only? For example, if I'm in database "People", I want the query to only show me functions and procedures that exist in that database.<issue_comment>username_1: If your user has access to `mysql` schema, which is the engine/system.. you can try this: ``` -- display function/procedure details SELECT db, name, type, security_type, definer, created, modified FROM mysql.proc -- filter out system function/procedure WHERE db != 'sys' AND db = 'your_chosen_database' ORDER BY type, db; ``` Upvotes: 1 <issue_comment>username_2: You can use these as in a more specific way ``` SHOW PROCEDURE STATUS WHERE Db = 'databasename'; SHOW FUNCTION STATUS WHERE Db = 'databasename'; ``` Upvotes: 4 [selected_answer]<issue_comment>username_3: ``` SELECT routine_name,ROUTINE_SCHEMA FROM INFORMATION_SCHEMA.Routines WHERE ROUTINE_SCHEMA LIKE 'mydb'; ``` You can find more information from [here](https://dev.mysql.com/doc/refman/5.7/en/routines-table.html). Upvotes: 2
2018/03/22
904
3,551
<issue_start>username_0: Actually I load the picture on the server. But once we do this, the page refreshes. ***My goal is to do this without refreshing the page.*** How can I do that? Is there anyone who can help? In the code below I write `onsubmit = "return false"` in the form. But the picture is not uploaded to the server because the page is not refresh in this way. VIEW ``` @using (Html.BeginForm("create_conference", "Home", FormMethod.Post, new { enctype = "multipart/form-data", id = "registerFormValidation", onsubmit = "return false" })) { Save } ``` CONTROLLER ``` [HttpPost] public ActionResult create_conference(HttpPostedFileBase file) { var path = ""; if (file != null) { if (file.ContentLength > 0) { //for checking uploaded file is image or not if(Path.GetExtension(file.FileName).ToLower()==".jpg" || Path.GetExtension(file.FileName).ToLower()==".png" || Path.GetExtension(file.FileName).ToLower()==".gif" || Path.GetExtension(file.FileName).ToLower()==".jpeg") { path = Path.Combine(Server.MapPath("~/assets/img/conference-img"), file.FileName); file.SaveAs(path); ViewBag.UploadSuccess = true; } } } return View(); //return Redirect("rooms"); } ```<issue_comment>username_1: Convert to base64 and ajax call it. Make sure the backend converts it back to an image file before saving it. I've done it with jquery in the past. This is the important part: I've done it with jquery. This is the important part. ``` $(document).ready(function() { $('#imageFile').change(function(evt) { var files = evt.target.files; var file = files[0]; if (file) { var reader = new FileReader(); reader.onload = function(e) { document.getElementById('preview').src = e.target.result; }; reader.readAsDataURL(file); // console.log(file.name) var filename = file.name console.log(filename); } }); ``` make sure filename sends. Upvotes: 0 <issue_comment>username_2: You can upload image using iframe, using iframe and ajax image will upload without page refresh. You can try using my sample. HTML: ``` ``` This is my JS: ``` function upload() { //'my_iframe' is the name of the iframe document.getElementById('registerFormValidation').target = 'my_iframe'; document.getElementById('registerFormValidation').submit(); } ``` And For Server side you can use simple Ajax method or Custom method.If you use ajax method then action will be `action="javascript:submitForm();"` and if you use custom method then you can use your function name. Upvotes: 0 <issue_comment>username_3: Don't read it as base64 using the fileReader or using a iframe... Simply turn the form element into a FormData and send that to the server. A good idea is not trying to specify method/url in the javascript keep it as general as possible and have the html markup do what it was meant to do (defining things) then you can use this function for more forms and it got a more graceful degration if javascript where turned of ``` function turnFormToAjax(evt) { evt.preventDefault() var form = evt.target var fd = new FormData(fd) fetch(form.target, {method: form.method, body: fd}) .then(function(res) { // done uploading }) } document.querySelector('form').onsubmit = turnFormToAjax ``` Upvotes: 1
2018/03/22
645
2,523
<issue_start>username_0: Right now it's giving error that .png and .less files aren't valid, everything is invalid. I want eslint to only look at .js and .jsx files. I don't see any way to do that. I did find eslintignore which is not the best way to do things. I don't want to maintain a list of files to ignore. Whitelist approach please.<issue_comment>username_1: Convert to base64 and ajax call it. Make sure the backend converts it back to an image file before saving it. I've done it with jquery in the past. This is the important part: I've done it with jquery. This is the important part. ``` $(document).ready(function() { $('#imageFile').change(function(evt) { var files = evt.target.files; var file = files[0]; if (file) { var reader = new FileReader(); reader.onload = function(e) { document.getElementById('preview').src = e.target.result; }; reader.readAsDataURL(file); // console.log(file.name) var filename = file.name console.log(filename); } }); ``` make sure filename sends. Upvotes: 0 <issue_comment>username_2: You can upload image using iframe, using iframe and ajax image will upload without page refresh. You can try using my sample. HTML: ``` ``` This is my JS: ``` function upload() { //'my_iframe' is the name of the iframe document.getElementById('registerFormValidation').target = 'my_iframe'; document.getElementById('registerFormValidation').submit(); } ``` And For Server side you can use simple Ajax method or Custom method.If you use ajax method then action will be `action="javascript:submitForm();"` and if you use custom method then you can use your function name. Upvotes: 0 <issue_comment>username_3: Don't read it as base64 using the fileReader or using a iframe... Simply turn the form element into a FormData and send that to the server. A good idea is not trying to specify method/url in the javascript keep it as general as possible and have the html markup do what it was meant to do (defining things) then you can use this function for more forms and it got a more graceful degration if javascript where turned of ``` function turnFormToAjax(evt) { evt.preventDefault() var form = evt.target var fd = new FormData(fd) fetch(form.target, {method: form.method, body: fd}) .then(function(res) { // done uploading }) } document.querySelector('form').onsubmit = turnFormToAjax ``` Upvotes: 1
2018/03/22
741
2,555
<issue_start>username_0: I have the following document in my DB : ``` { .... "key": "val1", .... "array" :[ { "k":"v1", "rejected":"0" }, { "k":"v2", "rejected":"0" } ] ..... } ``` ***Now basically I want to set "rejected":"1" for ("key":"val1" && array[i]."k":"v1" ).*** The API call that I have written is : ``` var val1="val1"; var v1="v1"; request.put('https://api.mlab.com/api/1/databases/DB/collections/doc?q={"key": "'+val1+'","array.k":"'+v1+'"}&apiKey=.....', { json: { "$set": {"rejected": "1"} } }, function (error, response, body) { if (!error && response.statusCode == 200) { console.log("----->Insertion"+body); return res.status(200).send("[{\"status\":\"success\"}]"); } else {console.log(JSON.stringify(response));} }); ``` But the API instead of editing the needed field,it appends a new field at the end of document: ``` { .... "key": "val1", .... "array" :[ { "k":"v1", "rejected":"0" }, { "k":"v2", "rejected":"0" } ] ..... "rejected":"1" } ```<issue_comment>username_1: Let say your json object is called as **array**...read about positional operator in mongodb.Then this will update your array element ``` Object.update( {'array.key': val1}, {$set: {'array.$. rejected': 1}}, function(err, count) { ... }); ``` Upvotes: 0 <issue_comment>username_2: In this case use [db.collection.update](https://docs.mongodb.com/manual/reference/method/db.collection.update/) Mongodb shell query ``` If there is only one matching document db.collection_name.update( {key:"val1", "array.k":"v1"}, {$set:{"array.$.rejected":"1"}} ); If there are multiple documents matching the criteria then use the below query with multi:true db.collection_name.update( {key:"val1", "array.k":"v1"}, {$set:{"array.$.rejected":"1"}}, {multi:true} ); ``` Update query has three parts First is the matching part where we have to give ``` "key":"val1" and "array.k": "v1" ``` Second part is to set the updated value Using $set and positional operator, set the value to be updated here for matching array.k update rejected as "1" Final part is to specify if multiple documents are matching the criteria then update all the matching documents Upvotes: 2 [selected_answer]
2018/03/22
7,061
20,114
<issue_start>username_0: I have created a spring boot application. When I deploy the jar file in embedded tomcat and called the test API it gives 404 error. May I know why it is giving the error? **Main class** ``` package com.telematics.fleet; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.context.annotation.ComponentScan; @SpringBootApplication @ComponentScan(basePackages={"com.telematics.fleet.controller", "com.telematics.fleet.repository", "com.telematics.fleet.service","com.telematics.fleet.utility"}) public class TelematicsFleetApplication { public static void main(String[] args) { SpringApplication.run(TelematicsFleetApplication.class, args); } } ``` **Controller class** ``` package com.telematics.fleet.controller; import org.springframework.web.bind.annotation.RequestMapping; import org.springframework.web.bind.annotation.RequestMethod; import org.springframework.web.bind.annotation.RestController; @RestController @RequestMapping("/app") public class FleetAppController { @RequestMapping(value="/test", method=RequestMethod.GET) public String test() { System.out.println("Called test API"); return "Success"; } } ``` **Console** ``` SLF4J: Class path contains multiple SLF4J bindings. SLF4J: Found binding in [jar:file:/C:/Users/dell/.m2/repository/ch/qos/logback/logback-classic/1.2.3/logback-classic-1.2.3.jar!/org/slf4j/impl/StaticLoggerBinder.class] SLF4J: Found binding in [jar:file:/C:/Users/dell/.m2/repository/org/slf4j/slf4j-log4j12/1.7.25/slf4j-log4j12-1.7.25.jar!/org/slf4j/impl/StaticLoggerBinder.class] SLF4J: See http://www.slf4j.org/codes.html#multiple_bindings for an explanation. SLF4J: Actual binding is of type [ch.qos.logback.classic.util.ContextSelectorStaticBinder] The Class-Path manifest attribute in C:\Users\dell\.m2\repository\com\mchange\c3p0\0.9.5.2\c3p0-0.9.5.2.jar referenced one or more files that do not exist: file:/C:/Users/dell/.m2/repository/com/mchange/c3p0/0.9.5.2/mchange-commons-java-0.2.11.jar 08:22:29.726 [main] DEBUG org.springframework.boot.devtools.settings.DevToolsSettings - Included patterns for restart : [] 08:22:29.738 [main] DEBUG org.springframework.boot.devtools.settings.DevToolsSettings - Excluded patterns for restart : [/spring-boot-starter/target/classes/, /spring-boot-autoconfigure/target/classes/, /spring-boot-starter-[\w-]+/, /spring-boot/target/classes/, /spring-boot-actuator/target/classes/, /spring-boot-devtools/target/classes/] 08:22:29.739 [main] DEBUG org.springframework.boot.devtools.restart.ChangeableUrls - Matching URLs for reloading : [file:/C:/Malya/Git_Homes/telematics-fleet/target/classes/] . ____ _ __ _ _ /\\ / ___'_ __ _ _(_)_ __ __ _ \ \ \ \ ( ( )\___ | '_ | '_| | '_ \/ _` | \ \ \ \ \\/ ___)| |_)| | | | | || (_| | ) ) ) ) ' |____| .__|_| |_|_| |_\__, | / / / / =========|_|==============|___/=/_/_/_/ :: Spring Boot :: (v2.0.0.RELEASE) 2018-03-22 08:22:31.881 INFO 252 --- [ restartedMain] c.t.fleet.TelematicsFleetApplication : Starting TelematicsFleetApplication on admin with PID 252 (C:\Malya\Git_Homes\telematics-fleet\target\classes started by dell in C:\Malya\Git_Homes\telematics-fleet) 2018-03-22 08:22:31.889 INFO 252 --- [ restartedMain] c.t.fleet.TelematicsFleetApplication : No active profile set, falling back to default profiles: default 2018-03-22 08:22:32.280 INFO 252 --- [ restartedMain] ConfigServletWebServerApplicationContext : Refreshing org.springframework.boot.web.servlet.context.AnnotationConfigServletWebServerApplicationContext@795b4bba: startup date [Thu Mar 22 08:22:32 IST 2018]; root of context hierarchy 2018-03-22 08:22:47.336 INFO 252 --- [ restartedMain] trationDelegate$BeanPostProcessorChecker : Bean 'org.springframework.transaction.annotation.ProxyTransactionManagementConfiguration' of type [org.springframework.transaction.annotation.ProxyTransactionManagementConfiguration$$EnhancerBySpringCGLIB$$8c439cf8] is not eligible for getting processed by all BeanPostProcessors (for example: not eligible for auto-proxying) 2018-03-22 08:22:51.865 INFO 252 --- [ restartedMain] o.s.b.w.embedded.tomcat.TomcatWebServer : Tomcat initialized with port(s): 8080 (http) 2018-03-22 08:22:52.015 INFO 252 --- [ restartedMain] o.apache.catalina.core.StandardService : Starting service [Tomcat] 2018-03-22 08:22:52.016 INFO 252 --- [ restartedMain] org.apache.catalina.core.StandardEngine : Starting Servlet Engine: Apache Tomcat/8.5.28 2018-03-22 08:22:52.076 INFO 252 --- [ost-startStop-1] o.a.catalina.core.AprLifecycleListener : The APR based Apache Tomcat Native library which allows optimal performance in production environments was not found on the java.library.path: [C:\Program Files\Java\jdk1.8.0_162\bin;C:\Windows\Sun\Java\bin;C:\Windows\system32;C:\Windows;C:/Program Files/Java/jre1.8.0_162/bin/server;C:/Program Files/Java/jre1.8.0_162/bin;C:/Program Files/Java/jre1.8.0_162/lib/amd64;C:\ProgramData\Oracle\Java\javapath;C:\Program Files (x86)\Intel\iCLS Client\;C:\Program Files\Intel\iCLS Client\;C:\Windows\system32;C:\Windows;C:\Windows\System32\Wbem;C:\Windows\System32\WindowsPowerShell\v1.0\;C:\Program Files\Intel\Intel(R) Management Engine Components\DAL;C:\Program Files (x86)\Intel\Intel(R) Management Engine Components\DAL;C:\Program Files\Intel\Intel(R) Management Engine Components\IPT;C:\Program Files (x86)\Intel\Intel(R) Management Engine Components\IPT;c:\Program Files (x86)\ATI Technologies\ATI.ACE\Core-Static;C:\Program Files\Intel\WiFi\bin\;C:\Program Files\Common Files\Intel\WirelessCommon\;C:\Program Files\Git\cmd;C:\Program Files (x86)\Skype\Phone\;C:\Program Files (x86)\Cypress\EZ-USB FX3 SDK\1.3\ARM GCC\bin\;C:\Program Files (x86)\Cypress\EZ-USB FX3 SDK\1.3\eclipse\jre\bin\;C:\Program Files (x86)\sbt\bin;C:\modeltech64_10.2c\win64;C:\Program Files (x86)\CodeBlocks\MinGW\bin;C:\Program Files (x86)\CodeBlocks\MinGW;C:\myrWork\ztex-160513\sp3anTest\aes220_win_files_160502-1\aes220_win_files\DLL;C:\myrWork\ztex-160513\sp3anTest\aes220_win_files_160502-1\aes220_win_files\libs\MS32;C:\myrWork\eMMCModel\ss_emmc\eMMC_vip\sdio\rlm\win_64;C:\workspace\eMMCModel\ss_emmc\eMMC_vip\sdio\sv\examples\sim;C:\Malya\tool\sts-bundle\sts-3.9.2.RELEASE;;.] 2018-03-22 08:22:52.790 INFO 252 --- [ost-startStop-1] o.a.c.c.C.[Tomcat].[localhost].[/] : Initializing Spring embedded WebApplicationContext 2018-03-22 08:22:52.791 INFO 252 --- [ost-startStop-1] o.s.web.context.ContextLoader : Root WebApplicationContext: initialization completed in 20525 ms 2018-03-22 08:23:00.377 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.ServletRegistrationBean : Servlet dispatcherServlet mapped to [/] 2018-03-22 08:23:00.407 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.FilterRegistrationBean : Mapping filter: 'characterEncodingFilter' to: [/*] 2018-03-22 08:23:00.408 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.FilterRegistrationBean : Mapping filter: 'hiddenHttpMethodFilter' to: [/*] 2018-03-22 08:23:00.409 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.FilterRegistrationBean : Mapping filter: 'httpPutFormContentFilter' to: [/*] 2018-03-22 08:23:00.410 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.FilterRegistrationBean : Mapping filter: 'requestContextFilter' to: [/*] 2018-03-22 08:23:00.411 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.FilterRegistrationBean : Mapping filter: 'httpTraceFilter' to: [/*] 2018-03-22 08:23:00.412 INFO 252 --- [ost-startStop-1] o.s.b.w.servlet.FilterRegistrationBean : Mapping filter: 'webMvcMetricsFilter' to: [/*] 2018-03-22 08:23:01.619 INFO 252 --- [ restartedMain] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Starting... 2018-03-22 08:23:03.674 INFO 252 --- [ restartedMain] com.zaxxer.hikari.HikariDataSource : HikariPool-1 - Start completed. 2018-03-22 08:23:04.327 INFO 252 --- [ restartedMain] j.LocalContainerEntityManagerFactoryBean : Building JPA container EntityManagerFactory for persistence unit 'default' 2018-03-22 08:23:04.469 INFO 252 --- [ restartedMain] o.hibernate.jpa.internal.util.LogHelper : HHH000204: Processing PersistenceUnitInfo [ name: default ...] 2018-03-22 08:23:05.269 INFO 252 --- [ restartedMain] org.hibernate.Version : HHH000412: Hibernate Core {5.2.14.Final} 2018-03-22 08:23:05.284 INFO 252 --- [ restartedMain] org.hibernate.cfg.Environment : HHH000206: hibernate.properties not found 2018-03-22 08:23:05.721 INFO 252 --- [ restartedMain] o.hibernate.annotations.common.Version : HCANN000001: Hibernate Commons Annotations {5.0.1.Final} 2018-03-22 08:23:08.342 INFO 252 --- [ restartedMain] org.hibernate.dialect.Dialect : HHH000400: Using dialect: org.hibernate.dialect.MySQL5Dialect 2018-03-22 08:23:16.185 INFO 252 --- [ restartedMain] j.LocalContainerEntityManagerFactoryBean : Initialized JPA EntityManagerFactory for persistence unit 'default' 2018-03-22 08:23:34.747 INFO 252 --- [ restartedMain] s.w.s.m.m.a.RequestMappingHandlerAdapter : Looking for @ControllerAdvice: org.springframework.boot.web.servlet.context.AnnotationConfigServletWebServerApplicationContext@795b4bba: startup date [Thu Mar 22 08:22:32 IST 2018]; root of context hierarchy 2018-03-22 08:23:36.160 WARN 252 --- [ restartedMain] aWebConfiguration$JpaWebMvcConfiguration : spring.jpa.open-in-view is enabled by default. Therefore, database queries may be performed during view rendering. Explicitly configure spring.jpa.open-in-view to disable this warning 2018-03-22 08:23:37.239 INFO 252 --- [ restartedMain] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped "{[/app/test],methods=[GET]}" onto public java.lang.String com.telematics.fleet.controller.FleetAppController.test() 2018-03-22 08:23:37.380 INFO 252 --- [ restartedMain] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped "{[/error]}" onto public org.springframework.http.ResponseEntity> org.springframework.boot.autoconfigure.web.servlet.error.BasicErrorController.error(javax.servlet.http.HttpServletRequest) 2018-03-22 08:23:37.383 INFO 252 --- [ restartedMain] s.w.s.m.m.a.RequestMappingHandlerMapping : Mapped "{[/error],produces=[text/html]}" onto public org.springframework.web.servlet.ModelAndView org.springframework.boot.autoconfigure.web.servlet.error.BasicErrorController.errorHtml(javax.servlet.http.HttpServletRequest,javax.servlet.http.HttpServletResponse) 2018-03-22 08:23:38.325 INFO 252 --- [ restartedMain] o.s.w.s.handler.SimpleUrlHandlerMapping : Mapped URL path [/webjars/\*\*] onto handler of type [class org.springframework.web.servlet.resource.ResourceHttpRequestHandler] 2018-03-22 08:23:38.326 INFO 252 --- [ restartedMain] o.s.w.s.handler.SimpleUrlHandlerMapping : Mapped URL path [/\*\*] onto handler of type [class org.springframework.web.servlet.resource.ResourceHttpRequestHandler] 2018-03-22 08:23:39.279 INFO 252 --- [ restartedMain] o.s.w.s.handler.SimpleUrlHandlerMapping : Mapped URL path [/\*\*/favicon.ico] onto handler of type [class org.springframework.web.servlet.resource.ResourceHttpRequestHandler] 2018-03-22 08:23:40.156 WARN 252 --- [ restartedMain] ion$DefaultTemplateResolverConfiguration : Cannot find template location: classpath:/templates/ (please add some templates or check your Thymeleaf configuration) 2018-03-22 08:23:46.453 INFO 252 --- [ restartedMain] org.quartz.impl.StdSchedulerFactory : Using default implementation for ThreadExecutor 2018-03-22 08:23:46.581 INFO 252 --- [ restartedMain] org.quartz.core.SchedulerSignalerImpl : Initialized Scheduler Signaller of type: class org.quartz.core.SchedulerSignalerImpl 2018-03-22 08:23:46.582 INFO 252 --- [ restartedMain] org.quartz.core.QuartzScheduler : Quartz Scheduler v.2.3.0 created. 2018-03-22 08:23:46.588 INFO 252 --- [ restartedMain] org.quartz.simpl.RAMJobStore : RAMJobStore initialized. 2018-03-22 08:23:46.593 INFO 252 --- [ restartedMain] org.quartz.core.QuartzScheduler : Scheduler meta-data: Quartz Scheduler (v2.3.0) 'quartzScheduler' with instanceId 'NON\_CLUSTERED' Scheduler class: 'org.quartz.core.QuartzScheduler' - running locally. NOT STARTED. Currently in standby mode. Number of jobs executed: 0 Using thread pool 'org.quartz.simpl.SimpleThreadPool' - with 10 threads. Using job-store 'org.quartz.simpl.RAMJobStore' - which does not support persistence. and is not clustered. 2018-03-22 08:23:46.595 INFO 252 --- [ restartedMain] org.quartz.impl.StdSchedulerFactory : Quartz scheduler 'quartzScheduler' initialized from an externally provided properties instance. 2018-03-22 08:23:46.595 INFO 252 --- [ restartedMain] org.quartz.impl.StdSchedulerFactory : Quartz scheduler version: 2.3.0 2018-03-22 08:23:46.596 INFO 252 --- [ restartedMain] org.quartz.core.QuartzScheduler : JobFactory set to: org.springframework.boot.autoconfigure.quartz.AutowireCapableBeanJobFactory@629a27c7 2018-03-22 08:23:47.067 INFO 252 --- [ restartedMain] o.s.b.d.a.OptionalLiveReloadServer : LiveReload server is running on port 35729 2018-03-22 08:23:47.271 INFO 252 --- [ restartedMain] s.b.a.e.w.s.WebMvcEndpointHandlerMapping : Mapped "{[/actuator/health],methods=[GET],produces=[application/vnd.spring-boot.actuator.v2+json || application/json]}" onto public java.lang.Object org.springframework.boot.actuate.endpoint.web.servlet.AbstractWebMvcEndpointHandlerMapping$OperationHandler.handle(javax.servlet.http.HttpServletRequest,java.util.Map) 2018-03-22 08:23:47.274 INFO 252 --- [ restartedMain] s.b.a.e.w.s.WebMvcEndpointHandlerMapping : Mapped "{[/actuator/info],methods=[GET],produces=[application/vnd.spring-boot.actuator.v2+json || application/json]}" onto public java.lang.Object org.springframework.boot.actuate.endpoint.web.servlet.AbstractWebMvcEndpointHandlerMapping$OperationHandler.handle(javax.servlet.http.HttpServletRequest,java.util.Map) 2018-03-22 08:23:47.279 INFO 252 --- [ restartedMain] s.b.a.e.w.s.WebMvcEndpointHandlerMapping : Mapped "{[/actuator],methods=[GET],produces=[application/vnd.spring-boot.actuator.v2+json || application/json]}" onto protected java.util.Map> org.springframework.boot.actuate.endpoint.web.servlet.WebMvcEndpointHandlerMapping.links(javax.servlet.http.HttpServletRequest,javax.servlet.http.HttpServletResponse) 2018-03-22 08:23:48.079 INFO 252 --- [ restartedMain] o.s.j.e.a.AnnotationMBeanExporter : Registering beans for JMX exposure on startup 2018-03-22 08:23:48.086 INFO 252 --- [ restartedMain] o.s.j.e.a.AnnotationMBeanExporter : Bean with name 'dataSource' has been autodetected for JMX exposure 2018-03-22 08:23:48.130 INFO 252 --- [ restartedMain] o.s.j.e.a.AnnotationMBeanExporter : Located MBean 'dataSource': registering with JMX server as MBean [com.zaxxer.hikari:name=dataSource,type=HikariDataSource] 2018-03-22 08:23:48.207 INFO 252 --- [ restartedMain] o.s.c.support.DefaultLifecycleProcessor : Starting beans in phase 2147483647 2018-03-22 08:23:48.208 INFO 252 --- [ restartedMain] o.s.s.quartz.SchedulerFactoryBean : Starting Quartz Scheduler now 2018-03-22 08:23:48.209 INFO 252 --- [ restartedMain] org.quartz.core.QuartzScheduler : Scheduler quartzScheduler\_$\_NON\_CLUSTERED started. 2018-03-22 08:23:48.464 INFO 252 --- [ restartedMain] o.s.b.w.embedded.tomcat.TomcatWebServer : Tomcat started on port(s): 8080 (http) with context path '' 2018-03-22 08:23:48.488 INFO 252 --- [ restartedMain] c.t.fleet.TelematicsFleetApplication : Started TelematicsFleetApplication in 78.687 seconds (JVM running for 81.635) 2018-03-22 08:24:55.653 INFO 252 --- [nio-8080-exec-2] o.a.c.c.C.[Tomcat].[localhost].[/] : Initializing Spring FrameworkServlet 'dispatcherServlet' 2018-03-22 08:24:55.654 INFO 252 --- [nio-8080-exec-2] o.s.web.servlet.DispatcherServlet : FrameworkServlet 'dispatcherServlet': initialization started 2018-03-22 08:24:55.755 INFO 252 --- [nio-8080-exec-2] o.s.web.servlet.DispatcherServlet : FrameworkServlet 'dispatcherServlet': initialization completed in 101 ms ``` **POSTMAN Response** ``` { "timestamp": "2018-03-22T03:06:40.138+0000", "status": 404, "error": "Not Found", "message": "No message available", "path": "/telematics-fleet/app/test" } ``` **Properties file** ``` spring.jpa.hibernate.ddl-auto=update spring.jpa.generate-ddl=true spring.datasource.url=jdbc:mysql://localhost:3306/db_example spring.datasource.username=springuser spring.datasource.password=<PASSWORD> ``` In the console server is running fine but i am getting 404 error when trying to access the api's<issue_comment>username_1: You should change your controller to: ``` @RestController @RequestMapping("/telematics-fleet/app") public class FleetAppController { @RequestMapping(value="/test", method=RequestMethod.GET) public String test() { System.out.println("Called test API"); return "Success"; } } ``` The current call does not point to correct resource. Note the log states that your server was started and pointing to `/` as root and not `/telematics-fleet`. The other thing you could do is keep your controller as it is and add a new property in `application.properties` as: `server.contextPath=/telematics-fleet` Upvotes: 1 <issue_comment>username_2: Your postman requesting the path--- `"path": "/telematics-fleet/app/test"` but your controller the path should be `"path": "/app/test"` . So there is a missmatch. Upvotes: 1 <issue_comment>username_3: Try removing context ``` http://localhost:8080/app/test ``` If you running it using spring boot plugin, and haven't configured context in meta file, spring boot run on default context Upvotes: 1 <issue_comment>username_4: The project name is not automatically added to the context path in Spring Boot, it is `/` by default. If you do want to add it, set the following in your .properties file: ``` server.servlet.contextPath=/telematics-fleet ``` Or for pre-2.0 versions of Spring Boot: ``` server.contextPath=/telematics-fleet ``` If not, then just remove that part from your request, hitting `/app/test` directly. Upvotes: 1 <issue_comment>username_5: There are two important points to keep in mind while deploying a SpringBoot application to a container : 1.**Starting point of application**: If you are deploying a `SprinBoot` application to any `servlet container`(like `Tomcat`) your starter class must **extend** [SpringBootServletInitializer](https://docs.spring.io/spring-boot/docs/current-SNAPSHOT/api/org/springframework/boot/web/servlet/support/SpringBootServletInitializer.html), so that the container can find the starting point of your application ``` @SpringBootApplication public class TelematicsFleetApplication extends SpringBootServletInitializer { @Override protected SpringApplicationBuilder configure(SpringApplicationBuilder application) { return application.sources(TelematicsFleetApplication .class); } public static void main(String[] args) throws Exception { SpringApplication.run(TelematicsFleetApplication .class, args); } } ``` 2. After successful deployment on `Tomcat` you should prefix your application name before all resource URLs. Example : `localhost:8080/Application_Name/app/test` **Extra tip**: After `Spring 4.3` you can replace `@RequestMapping(method = RequestMethod.GET)` by [@GetMapping](https://docs.spring.io/spring-framework/docs/current/javadoc-api/org/springframework/web/bind/annotation/GetMapping.html) Example : `@Getmapping("/test")` Upvotes: 2 <issue_comment>username_6: In my project, it was because of the missing dependency in the pom. > > spring-boot-starter-web > > > Look for `Servlet dispatcherServlet mapped to [/]` in the logs, if it is not there, it means the required dependencies are missing Upvotes: 1 <issue_comment>username_7: Had a similar issue. For me, the project name in Eclipse was different from the one that was mentioned in the application.properties. renaming the eclipse project to the same as the one in application.properties solved the issue Upvotes: 0
2018/03/22
361
1,178
<issue_start>username_0: Here is my code: ``` df.head(20) df = df.fillna(df.mean()).head(20) ``` Below is the result: ![enter image description here](https://i.stack.imgur.com/Kb3gP.png) There are many `NaN`. I want to replace `NaN` by average number, I used `df.fillna(df.mean())`, but useless. What's the problem??<issue_comment>username_1: Each column in your DataFrame has at least one non-numeric value (in the rows #0 and partially #1). When you apply `.mean()` to a DataFrame, it skips all non-numeric columns (in your case, all columns). Thus, the `NaN`s are not replaced. Solution: drop the non-numeric rows. Upvotes: 0 <issue_comment>username_2: I have got it !! before replace the NaN number, I need to reset index at first. Below is code: ``` df = df.reset_index() df = df.fillna(df.mean()) ``` now everything is okay! Upvotes: 1 <issue_comment>username_3: This worked for me ``` for i in df.columns: df.fillna(df[i].mean(),inplace=True) ``` Upvotes: 1 <issue_comment>username_4: I think the problem may be your columns are not float or int type. check with df.dtypes. if return object then mean wont work. change the type using df.astype() Upvotes: 0
2018/03/22
1,185
3,746
<issue_start>username_0: **Could this be a bug? When I used describe() or std() for a groupby object, I get different answers** ``` import pandas as pd import numpy as np import random as rnd df = pd.DataFrame({'A' : ['foo', 'bar', 'foo', 'bar', ...: 'foo', 'bar', 'foo', 'foo'], ...: 'B' : ['one', 'one', 'two', 'three', ...: 'two', 'two', 'one', 'three'], ...: 'C' : 1*(np.random.randn(8)>0.5), ...: 'D' : np.random.randn(8)}) df.head() df[['C','D']].groupby(['C'],as_index=False).describe() # this line gives me the standard deviation of 'C' to be 0,0. Within each group value of C is constant, so that makes sense. df[['C','D']].groupby(['C'],as_index=False).std() # This line gives me the standard deviation of 'C' to be 0,1. I think this is wrong ```<issue_comment>username_1: It makes sense. In the second case, you *only compute the `std` of column `D`*. How? That's just how the `groupby` works. You 1. slice on `C` and `D` 2. `groupby` on `C` 3. call `GroupBy.std` At step 3, you did not specify any column, so `std` was assumed to be computed on the column that was *not* the grouper... aka, column `D`. As for *why* you see `C` with `0, 1`... that's because you specify `as_index=False`, so the `C` column is inserted with values coming in from the original dataFrame... which in this case is `0, 1`. Run this and it'll become clear. ``` df[['C','D']].groupby(['C']).std() D C 0 0.998201 1 NaN ``` When you specify `as_index=False`, the index you see above is inserted as a *column*. Contrast this with, ``` df[['C','D']].groupby(['C'])[['C', 'D']].std() C D C 0 0.0 0.998201 1 NaN NaN ``` Which is exactly what `describe` gives, and what you're looking for. Upvotes: 2 [selected_answer]<issue_comment>username_2: Even with the std(), you will get the zero standard deviation of C within each group. I just added a seed to your code to make it replicable. I am not sure what is the issue - ``` import pandas as pd import numpy as np import random as rnd np.random.seed=1987 df = pd.DataFrame({'A' : ['foo', 'bar', 'foo', 'bar', 'foo', 'bar', 'foo', 'foo'], 'B' : ['one', 'one', 'two', 'three', 'two', 'two', 'one', 'three'], 'C' : 1*(np.random.randn(8)>0.5), 'D' : np.random.randn(8)}) df df[['C','D']].groupby(['C'],as_index=False).describe() ``` [![enter image description here](https://i.stack.imgur.com/3GzOX.png)](https://i.stack.imgur.com/3GzOX.png) ``` df[['C','D']].groupby(['C'],as_index=False).std() ``` [![enter image description here](https://i.stack.imgur.com/fr0p1.png)](https://i.stack.imgur.com/fr0p1.png) To go further deep, if you look at the source code of describe for groupby which inherits from DataFrame.describe, ``` def describe_numeric_1d(series): stat_index = (['count', 'mean', 'std', 'min'] + formatted_percentiles + ['max']) d = ([series.count(), series.mean(), series.std(), series.min()] + [series.quantile(x) for x in percentiles] + [series.max()]) return pd.Series(d, index=stat_index, name=series.name) ``` Above code shows that describe just shows the result of std() only Upvotes: -1 <issue_comment>username_3: My friend mukherjees and I have done my more trials with this one and decided that there is really an issue with std(). You can see in the following link, how we show "std() is not the same as .apply(np.std, ddof=1). " After noticing, we also found the following related bug report: <https://github.com/pandas-dev/pandas/issues/10355> Upvotes: 1
2018/03/22
523
1,845
<issue_start>username_0: I would like to add a background color to my page but leave the table background (the table appears on submit) and the inside of the box to the left of it (which has a class of .inputs) white. I tried adding the following to my CSS, but it doesn't do anything: ``` body:not(.inputs) { background-color: #c3d6de; } body:not(table) { background-color: #c3d6de; } ``` Please view my current code for reference: [CodePen](https://codepen.io/nataliecardot/pen/VQRrgQ)<issue_comment>username_1: You can add background color to Body and tabel as well. Like this. ``` body { text-align: center; font-family: Arial; background-color : #c3d6de; } .pixel-canvas { background-color : white; } ``` Upvotes: 0 <issue_comment>username_2: There is a problem with your CSS. When you do `body:not(table)`, you are specifying these styles to be applied to any body that is not a table. This doesn't make sense since a body element cannot also be a table element. The same thing applies for `body:not(.inputs)`. Since you want to target all **descendant** elements of `body` that are not `table` or `.inputs`, you would need to put a space between `body` and `:not` like this: ``` body :not(.inputs) { background-color: #c3d6de; } body :not(table) { background-color: #c3d6de; } ``` This would target all elements that are not `table` or `.inputs`, and that are **descendants** of `body`. However, you might run into problems with your approach because if the table is inside another element, the background element of the containing element will show through the table since default background of tables is transparent. I would suggest explicitly giving your table a white background, like this: ``` body { background-color: #c3d6de; } table { background-color:white; } ``` Upvotes: 3 [selected_answer]
2018/03/22
1,610
5,367
<issue_start>username_0: I just get started with Retrofit 2 so I got some problem... I need get String[] of "**syn**" in "**noun**". I tried but it returned nothing! ``` String[] s = response.body().getNoun().getSyn(); ``` Thank you!! > > My JSON: > > > ``` { "adjective": { "ant": [ "bad", "evil" ], "syn": [ "full", "estimable", "honorable", "respectable", "salutary", "unspoiled", "unspoilt", "in effect", "in force", "well" ] }, "noun": { "ant": [ "bad", "badness", "evil", "evilness" ], "syn": [ "goodness", "commodity", "trade good", "advantage", "artefact", "artifact", "morality", "quality", "vantage" ] }, "adverb": { "ant": [ "ill" ], "syn": [ "well", "thoroughly", "soundly" ] } } ``` > > API\_Client: > > > ``` public class ApiClient { private static Retrofit retrofit = null; private static final String SERVER_BASE_URL = "http://www.json-generator.com/api/json/get/"; public static Retrofit getClient() { if (retrofit == null) { retrofit = new Retrofit.Builder() .baseUrl(SERVER_BASE_URL) .addConverterFactory(GsonConverterFactory.create()) .build(); } return retrofit; } } ``` > > APIInterface > > > ``` public interface ApiInterface { @GET("bZKyFPxTIi") Call getDataFromServer(@Query("indent") int s); } ``` > > Noun > > > ``` public class Noun { @SerializedName("syn") @Expose private String[] syn = null; @SerializedName("ant") @Expose private String[] ant = null; public String[] getSyn() { return syn; } public void setSyn(String[] syn) { this.syn = syn; } public String[] getAnt() { return ant; } public void setAnt(String[] ant) { this.ant = ant; } } ``` > > Example > > > ``` public class Example { @SerializedName("adjective") @Expose private Adjective adjective; @SerializedName("verb") @Expose private Verb verb; @SerializedName("noun") @Expose private Noun noun; public Adjective getAdjective() { return adjective; } public void setAdjective(Adjective adjective) { this.adjective = adjective; } public Verb getVerb() { return verb; } public void setVerb(Verb verb) { this.verb = verb; } public Noun getNoun() { return noun; } public void setNoun(Noun noun) { this.noun = noun; } } ``` > > MainActivity > > > ``` ApiInterface apiService = ApiClient.getClient().create(ApiInterface.class); Call call = apiService.getDataFromServer(2); Log.d("URL Called", call.request().url() + ""); call.enqueue(new Callback() { @Override public void onResponse(Call call, Response response) { String[] s = response.body().getNoun().getSyn(); Log.e("",""+s); } @Override public void onFailure(Call call, Throwable t) { Log.e("error", ""+t.getLocalizedMessage()); } }); ```<issue_comment>username_1: impliment using this code ``` ideaInterface.getPdfUrl("application/json",pdfRequestPojo).enqueue(new Callback() { @Override public void onResponse(Call call, Response response) { Log.e("strace ","\*\* "+response.code() + " "+response.message()); if (response.isSuccessful()) { try { // String result = response.body().string(); String result = response.body().string(); Log.d("userloginreports","\*\*\* "+result); JSONObject jsonObject = new JSONObject(result); JSONObject json2 = jsonObject.getJSONObject("adjective"); test= (String) json2.get("syn"); Log.d("userl","\*\*\* "+test); // Idea\_Urban.getInstance().save\_Logoutdata(jsonObject.getString("data")); Toast.makeText(getApplicationContext(),test,Toast.LENGTH\_LONG).show(); sentreports(); } catch (Exception e) { Log.e("s2233e ","11111 "+e.toString()); e.printStackTrace(); } } } @Override public void onFailure(Call call, Throwable t) { Log.e("stgghb ","5522222 "+t.toString()); } }); ``` Upvotes: 1 <issue_comment>username_2: **Try this :** ``` ApiInterface apiService = ApiClient.getClient().create(ApiInterface.class); Call call = apiService.getDataFromServer(2); Log.d("URL Called", call.request().url() + ""); call.enqueue(new Callback() { @Override public void onResponse(Call call, Response response) { Noun s = response.body().getNoun(); Log.e("aaa",""+s.getSyn().toString()); Log.e("aaa",""+s.getSyn().size()); Log.w("response",new GsonBuilder().setPrettyPrinting().create().toJson(response)); } @Override public void onFailure(Call call, Throwable t) { Log.e("error", ""+t.getLocalizedMessage()); } }); ``` **To generate model class:** Use this link to generate pojo class : <http://www.jsonschema2pojo.org/> * Target language: Java * Source type: JSON * Annotation style: GSON * Include getters and setters Just download the zip and add this to your project. Output : [![enter image description here](https://i.stack.imgur.com/NirKp.png)](https://i.stack.imgur.com/NirKp.png) Upvotes: 1 [selected_answer]
2018/03/22
362
1,046
<issue_start>username_0: I need to match Regex for an input text. It should allow only numbers and only one dot. Below is my pattren. ``` (?!\s)[0-9\.\1]{0,} ``` This is allowing only numbers and allowing multiple dots. How to write so that it should allow only one dot? Bascially when i enter decimal, i need to round off to whole number.<issue_comment>username_1: In case you dont mind accepting just a point, this should do it ``` \d*\.\d* ``` Otherwise, the more complete answer could look like this: ``` \d*\.\d+)|(\d+\.\d*) ``` Upvotes: 1 <issue_comment>username_2: You can use the following regex to select your integer and fractional parts than add 1 to your integer part depending to your fractional part: Regex: `^(\d+)\.(\d+)$` In use: ```js function roundOff(str) { return str.replace(/^(\d+)\.(\d+)$/g, ($0, $1, $2) => $2.split('')[0] >= 5 ? parseInt($1) + 1 : parseInt($2)); } var str1 = roundOff('123.123') console.log(str1); // 123 var str2 = roundOff('123.567') console.log(str2); // 124 ``` Upvotes: 0
2018/03/22
607
1,811
<issue_start>username_0: This is surely easy but for the life of me I can't find the right syntax. I want to keep all "ID\_" columns, regardless of the number of columns and the numbers attached, and keep other columns by constant name. Something like the below command that doesn't work (on the recreated data, every time): ``` ###Does not work, but shows what I am trying to do testdf1 <- df1[,c(paste(idvec, collapse="','"),"ConstantNames_YESwant")] ``` Recreated data: ``` rand <- sample(1:2, 1) if(rand==1){ df1 <- data.frame( ID_0=0, ID_1=1, ID_2=11, ID_3=111, LotsOfColumnsWithVariousNames_NOwant="unwanted_data", ConstantNames_YESwant="wanted_data", stringsAsFactors = FALSE ) desired.df1 <- data.frame( ID_0=0, ID_1=1, ID_2=11, ID_3=111, ConstantNames_YESwant="wanted_data", stringsAsFactors = FALSE ) } if(rand==2){ df1 <- data.frame( ID_0=0, ID_1=1, LotsOfColumnsWithVariousNames_NOwant="unwanted_data", ConstantNames_YESwant="wanted_data", stringsAsFactors = FALSE ) desired.df1 <- data.frame( ID_0=0, ID_1=1, ConstantNames_YESwant="wanted_data", stringsAsFactors = FALSE ) } ```<issue_comment>username_1: Is this what you want? ``` library(tidyverse) df1 %>% select(matches("ID_*"), ConstantNames_YESwant) df1 %>% select(starts_with("ID"), ConstantNames_YESwant) # ID_0 ID_1 ConstantNames_YESwant # 1 0 1 wanted_data ``` Upvotes: 2 <issue_comment>username_2: In base R , you could do ``` #Get all the ID columns idvec <- grep("ID", colnames(df1), value = TRUE) #Select ID columns and the constant names you want. df1[c(idvec, "ConstantNames_YESwant")] # ID_0 ID_1 ConstantNames_YESwant #1 0 1 wanted_data ``` Upvotes: 3 [selected_answer]
2018/03/22
303
1,065
<issue_start>username_0: We have enabled BigQuery feature for our Firebase project , since last week firebase team announced that Crashlytics is moved from Beta to Prod release , so I was thinking this data should be available in BigQuery in some form. But I was not able to see any Crash event in my BigQuery table even the app crashed a couple of time. So does anybody know how to extract the crashlytics report from Firebase for custom reporting solution.<issue_comment>username_1: Is this what you want? ``` library(tidyverse) df1 %>% select(matches("ID_*"), ConstantNames_YESwant) df1 %>% select(starts_with("ID"), ConstantNames_YESwant) # ID_0 ID_1 ConstantNames_YESwant # 1 0 1 wanted_data ``` Upvotes: 2 <issue_comment>username_2: In base R , you could do ``` #Get all the ID columns idvec <- grep("ID", colnames(df1), value = TRUE) #Select ID columns and the constant names you want. df1[c(idvec, "ConstantNames_YESwant")] # ID_0 ID_1 ConstantNames_YESwant #1 0 1 wanted_data ``` Upvotes: 3 [selected_answer]
2018/03/22
360
1,048
<issue_start>username_0: I have strings which contain query and timestamp separated with "---". Multiple strings have the same query but with different timestamp. I need to get the query with the maximum timestamp. The input string is like below: ``` 3-13-2018 00:08:07.890---select * from tablename; 3-13-2018 00:08:37.920---select * from tablename; 3-13-2018 00:02:05.880---select * from tablename; ``` Kindly help me with an approach.<issue_comment>username_1: Is this what you want? ``` library(tidyverse) df1 %>% select(matches("ID_*"), ConstantNames_YESwant) df1 %>% select(starts_with("ID"), ConstantNames_YESwant) # ID_0 ID_1 ConstantNames_YESwant # 1 0 1 wanted_data ``` Upvotes: 2 <issue_comment>username_2: In base R , you could do ``` #Get all the ID columns idvec <- grep("ID", colnames(df1), value = TRUE) #Select ID columns and the constant names you want. df1[c(idvec, "ConstantNames_YESwant")] # ID_0 ID_1 ConstantNames_YESwant #1 0 1 wanted_data ``` Upvotes: 3 [selected_answer]
2018/03/22
2,336
8,693
<issue_start>username_0: I am new to `webDevelopment`. I have string which has some text.Now I want to highlight some words from that text file . So, Here I am using this logic ``` $scope.highlightHTML = function (content,startoffset,endoffset,color) { var className = 'mark'; console.log(content.substring(startoffset, endoffset)); return content.replace(content.substring(startoffset, endoffset), '$&'); } ``` Now this is working fine. But Now what happens is when first word gets highlighted and then when It tries to highlight the second word then the strings offsets are getting changed because of this replacing . It takes tag as well so, now offsets are getting changed. now when I highlight some text then next time it should not take offsets of start and end offset of the span tag . SO, How can I do this ? Its like , `"Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged"` I have this string. Now, I want to highlight `when an unknown printer took a galley of` Now, for this I use substring because I get the start and end from back-end itself. I replace only that string with mark tag. Now The problem is after this immediately,If I want to highlight `but also the leap into electronic typesetting`, Then the offset which I got from the backend will not be useful because while replacing the first string I added span tag, so it is taking the span tag offsets as well. So, Its not getting me the exact string by providing the offsets as well. It gives me some another string because offsets has changed. Now, whil highlighting the offsets should not get changed by adding the span tag. Ajax call - ``` jsonDataArray.forEach(function (item) { responseData = $scope.highlightHTML(responseData,item.startOffset,item.endOffset,item.color); $rootScope.data.htmlDocument = responseData.replace(/\n/g, "");; }); ```<issue_comment>username_1: You can achieve this by using the length of the string using below logic. I'm adding span to `'simply dummy', 'and typesetting', 'Ipsum has been'` in your text. what i have done is after the text has been updated after the function call, i am adding the difference between the initial text length and updated text length to the offeset which calling the function again which gives me the exact offsets of the words. Please let me know whether its works for you. Updated ajax : ``` var initialLength = responseData.length; var updatedLength = 0; jsonDataArray.forEach(function(item, index) { if (index == 0) responseData = $scope.highlightHTML(responseData, parseInt(item.startOffset), parseInt(item.endOffset), item.color); else $scope.highlightHTML(responseData, parseInt(item.startOffset) + (updatedLength - initialLength), parseInt(item.endOffset) + (updatedLength - initialLength), item.color); updatedLength = responseData.length; $rootScope.data.htmlDocument = responseData.replace(/\n/g, "");; }); ``` ```js $(document).ready(function() { var text = "Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged"; var initialLength = text.length; var updatedLength = 0; var startoffset1 = 15; var endoffset1 = 27; var startoffset2 = 49; var endoffset2 = 64; var startoffset3 = 81; var endoffset3 = 95; console.log(text.substring(startoffset1, endoffset1)); console.log(text.substring(startoffset2, endoffset2)); console.log(text.substring(startoffset3, endoffset3)); text = highlightHTML(text, startoffset1, endoffset1, 'green'); updatedLength = text.length; text = highlightHTML(text, startoffset2 + (updatedLength - initialLength), endoffset2 + (updatedLength - initialLength), 'green'); updatedLength = text.length; text = highlightHTML(text, startoffset3 + (updatedLength - initialLength), endoffset3 + (updatedLength - initialLength), 'green'); console.log(text); }); function highlightHTML(content, startoffset, endoffset, color) { var className = 'mark'; console.log('Inside Function: ' + content.substring(startoffset, endoffset)); return content.replace(content.substring(startoffset, endoffset), '$&'); } ``` Upvotes: 1 <issue_comment>username_2: Can you keep the original content to the global variable ? So you don't need to worry about offset changed by added span tag. **updated code** ``` var responseData; function readFile() { responseData = 'Lorem ipsum dolor sit amet, consectetur .....' } var highlightNeeded = [] jsonDataArray.forEach(function (item) { var actualText = responseData.substring(item.startOffset, item.endOffset) highlightNeeded.push(highlightNeeded) }); // call this after foreach finished var tmpData = $scope.highlightHTML(responseData, highlightNeeded, item.color); $rootScope.data.htmlDocument = tmpData.replace(/\n/g, "");; $scope.highlightHTML = function (content, listOfText, color) { var className = 'mark'; listOfText.forEach(function (text) { var regex = new RegExp(text, 'gi') content.replace(regex, '$&'); }) } ``` Upvotes: 0 <issue_comment>username_3: Sometimes it's cool to keep it cryptic and concise for no reasons...It can still be less cryptic at end! So here my version using the html and tags. There is not so much need to melt non related functions from my view, it loose all the versatility/portability. ```js let ߐ = document.body function check(_ૐ){ ߐ.innerHTML=ߐ.innerHTML.replace(_ૐ,""+\_ૐ+"") } check("when an unknown printer took a galley of") ``` ```html Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged ``` The `mark` tag suits very well for highlighting,as it is made for that, there is some special wizardry with the `wbr`. > > **wbr**: On UTF-8 encoded pages, behaves like the U+200B ZERO-WIDTH SPACE > code point. In particular, it behaves like a Unicode bidi BN code > point, meaning it has no effect on bidi-ordering: 123,456 displays, when not broken on two lines, > 123,456 and not 456,123. > > > For the same reason, the element does not introduce a hyphen > at the line break point. To make a hyphen appear only at the end of a > line, use the soft hyphen character entity (­) instead. > > > <https://developer.mozilla.org/en-US/docs/Web/HTML/Element/wbr> Here the marking will disappear after 8s, without breaking the text. ```js let ߐ = document.body function check(_ૐ){ ߐ.innerHTML=ߐ.innerHTML.replace(_ૐ,""+\_ૐ+"") window.setTimeout(Ώ,8000)} function Ώ(){ ߐ.innerHTML=ߐ.innerHTML.replace("mark","wbr")} check("when an unknown printer took a galley of") ``` ```html Lorem Ipsum is simply dummy text of the printing and typesetting industry. Lorem Ipsum has been the industry's standard dummy text ever since the 1500s, when an unknown printer took a galley of type and scrambled it to make a type specimen book. It has survived not only five centuries, but also the leap into electronic typesetting, remaining essentially unchanged ``` Source: <https://codepen.io/Nico_KraZhtest/pen/mEjBdj> For you exact enquiry, it can then look like this: ``` jsonDataArray.forEach(function (item) { responseData = $scope.highlightHTML(responseData,item.startOffset,item.endOffset,item.color); $rootScope.data.htmlDocument = responseData.replace("when an unknown printer took a galley of",""+"when an unknown printer took a galley of"+"") }); ``` Or, more nicely: ``` let search = "when an unknown printer took a galley of" jsonDataArray.forEach(function (item, search) { responseData = $scope.highlightHTML(responseData,item.startOffset,item.endOffset,item.color) $rootScope.data.htmlDocument = responseData.replace(search,""+search+"") }) ``` Upvotes: 0
2018/03/22
2,319
5,774
<issue_start>username_0: So I have a div, that contains an img, the div fills the entire screen. I need the img (E on the attachment) to take as much width **or** height keeping aspect ratio. I need to place a background-color surrounding my img but **not** behind the img (since it has transparency and I need to see whats behind). So far I got my img taking as much width and height as possible, but can't figure out how to put a background only around the img and not behind. My guess would be that A, B, C, D, F, G, H, I are div with a background-color, while E is the img or a div containing the img. I'm using Bootstrap 3.3.7 and I want to keep that as adaptive as possible. Please help! [![Layout](https://i.stack.imgur.com/WixnL.jpg)](https://i.stack.imgur.com/WixnL.jpg) **EDIT:** Full Code looks like this **EDIT 2:** Simplified my code, changed the approach to a grid one and adding a [jsfiddle](https://jsfiddle.net/jbonnier/Lh4133ah/). Unfortunately, still have gaps to fill on B and C from image attachment and E isn't taking all the space it should take. ``` Title .grd-container { display: grid; grid-template-columns: auto auto auto; grid-template-rows: auto auto auto; /\*align-content: stretch;\*/ position: absolute; top: 0; left: 0; bottom: 0; right: 0; overflow: hidden; } .grd-item-1, .grd-item-2, .grd-item-3, .grd-item-4, .grd-item-6, .grd-item-7, .grd-item-8, .grd-item-9 { background-color: #000000; } .grd-item-1 { grid-column-start: 1; grid-column-end: 2; grid-row-start: 1; grid-row-end: 2; } .grd-item-2 { grid-column-start: 2; grid-column-end: 3; grid-row-start: 1; grid-row-end: 2; } .grd-item-3 { grid-column-start: 3; grid-column-end: 4; grid-row-start: 1; grid-row-end: 2; } .grd-item-4 { grid-column-start: 1; grid-column-end: 2; grid-row-start: 2; grid-row-end: 3; } .grd-item-5 { /\* main \*/ grid-column-start: 2; grid-column-end: 3; grid-row-start: 2; grid-row-end: 3; max-height: 100%; max-width: 100%; width: 100%; height: 100%; } .grd-item-6 { grid-column-start: 3; grid-column-end: 4; grid-row-start: 2; grid-row-end: 3; } .grd-item-7 { grid-column-start: 1; grid-column-end: 2; grid-row-start: 3; grid-row-end: 4; } .grd-item-8 { grid-column-start: 2; grid-column-end: 3; grid-row-start: 3; grid-row-end: 4; } .grd-item-9 { grid-column-start: 3; grid-column-end: 4; grid-row-start: 3; grid-row-end: 4; } .grd-bg { z-index: -1; grid-column-start: 1; grid-column-end: 4; grid-row-start: 1; grid-row-end: 4; } 1 2 3 4 ![](http://f.jblab.info/so_49420556/mask.svg) 6 7 8 9 ```<issue_comment>username_1: The easiest way to do this is to add a border to your image. Something like ``` .classOfYourImage { border: 25px solid red; } ``` Just be sure to adjust your width after that. Upvotes: -1 <issue_comment>username_2: I did not get it to work with pure CSS so I'm using a hybrid CSS/js solution. Should anyone finds a pure CSS solution, please share. Here's what I've got so far. ``` \* { -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; padding: 0; margin: 0; } .cover-img { min-height: 100%; min-width: 100%; width: auto; height: auto; } #bgvid { position: absolute; top: 50%; left: 50%; margin-top: 0; min-width: 100%; min-height: 100%; z-index: -100; -ms-transform: translateX(-50%) translateY(-50%); -moz-transform: translateX(-50%) translateY(-50%); -webkit-transform: translateX(-50%) translateY(-50%); transform: translateX(-50%) translateY(-50%); background: url('https://jsfiddle.net/jbonnier/Lh4133ah/22/') no-repeat; background-size: cover; } .grd-container { display: grid; grid-template-columns: auto max-content auto; grid-template-rows: auto max-content auto; position: absolute; top: 0; left: 0; bottom: 0; right: 0; overflow: hidden; } .grd-item-1, .grd-item-2, .grd-item-3, .grd-item-4, .grd-item-6, .grd-item-7, .grd-item-8, .grd-item-9 { background-color: #000000; } .grd-item-1 { grid-column-start: 1; grid-column-end: 2; grid-row-start: 1; grid-row-end: 2; } .grd-item-2 { grid-column-start: 2; grid-column-end: 3; grid-row-start: 1; grid-row-end: 2; } .grd-item-3 { grid-column-start: 3; grid-column-end: 4; grid-row-start: 1; grid-row-end: 2; } .grd-item-4 { grid-column-start: 1; grid-column-end: 2; grid-row-start: 2; grid-row-end: 3; } .grd-item-5 { /\* main \*/ grid-column-start: 2; grid-column-end: 3; grid-row-start: 2; grid-row-end: 3; } .grd-item-6 { grid-column-start: 3; grid-column-end: 4; grid-row-start: 2; grid-row-end: 3; } .grd-item-7 { grid-column-start: 1; grid-column-end: 2; grid-row-start: 3; grid-row-end: 4; } .grd-item-8 { grid-column-start: 2; grid-column-end: 3; grid-row-start: 3; grid-row-end: 4; } .grd-item-9 { grid-column-start: 3; grid-column-end: 4; grid-row-start: 3; grid-row-end: 4; } .grd-bg { z-index: -1; grid-column-start: 1; grid-column-end: 4; grid-row-start: 1; grid-row-end: 4; } Title ![](http://f.jblab.info/so_49420556/mask.svg) $(window).ready(function() { resizeCoverImages(); }) $(window).resize(function() { resizeCoverImages(); }); function resizeCoverImages() { $('.cover-img').each(function() { var dimensions = calculateAspectRatioFit($(this).width(), $(this).height(), $(window).width(), $(window).height()); $(this).width(dimensions.width); $(this).height(dimensions.height); }); } function calculateAspectRatioFit(srcWidth, srcHeight, maxWidth, maxHeight) { var ratio = Math.min(maxWidth / srcWidth, maxHeight / srcHeight); return { width: srcWidth\*ratio, height: srcHeight\*ratio }; } ``` <https://jsfiddle.net/jbonnier/Lh4133ah/26/> Upvotes: 1 [selected_answer]
2018/03/22
522
1,425
<issue_start>username_0: In SAS I have something like this... ``` ID survey Q1 q1_2 Q2 q2_2 Q3 q3_2 1 1 1 0 1 1 2 0 1 1 2 2 1 1 0 ``` I’m not sure if transposing is the right way to go but I’d like to get something like this. ``` ID survey Q Response 1 1 1 1 2 0 3 1 2 1 0 2 1 3 1 2 2 1 1 2 1 3 0 ``` Where Q1 and Q1\_2 are the same question presented in two different surveys given over time<issue_comment>username_1: all you need is coalesce function. > > > ``` > proc sql; > select id, > survey, > coalesce(Q1,q1_2) as q1, > coalesce(Q2,q2_2) as q2, > coalesce(Q3,q3_2) as q3 > from yourtable; > quit; > > ``` > > Upvotes: 1 <issue_comment>username_2: You can use SQL UNION CORR to append Survey 1 & Survey 2 ... & Survey N data. Code: ``` /*Append Survery 1 & Suervey 2 data to each other*/ proc sql; create table want as select id, survey, q1, q2, q3 from have where survey=1 union corr select id, survey, q1_2 as q1, q2_2 as q2, q3_2 as q3 from have where survey=2 ; quit; ``` Output: ``` ID=1 survey=1 Q1=1 Q2=0 Q3=1 ID=1 survey=2 Q1=0 Q2=1 Q3=1 ID=2 survey=2 Q1=1 Q2=1 Q3=0 ``` Upvotes: 0
2018/03/22
459
1,931
<issue_start>username_0: I have a Kubernetes cluster with 2 services deployed and the services are exposed to internet thru ingress. I am able to access the services outside the cluster using the ingress host. How to access the service within the cluster? Do i need to use the same ingress host approach for the service to access within the cluster? So, If i deploy 2 services( Service A & Service B) in parallel, How can i configure service A to talk to service B in the service A property file? Currently, we have deployed our applications into Linux VM's and service A proeprty file will have `http:/api/v1/...` How to achieve the same thing kubernetes cluster? How to configure the service B URL in service A property before the deployment so that both the service can be deployed in parallel. Thanks<issue_comment>username_1: The `serviceName:` and `servicePort:` in [Ingress `backend:`](https://kubernetes.io/docs/reference/generated/kubernetes-api/v1.9/#ingressbackend-v1beta1-extensions) are the same objects one would use to communicate from within the cluster. In fact, that's why almost every object's name in kubernetes must be DNS-compatible: because they are often exposed by `kube-dns`. So, for a `Service` with `metadata.name: foo` and `metadata.namespace: bar`, the service is accessible from within the cluster as `foo.bar.svc.cluster.local`, containing all the `port:`s from that same `Service`. I highly, highly, highly recommend reading the kubernetes documentation about Services Upvotes: 3 [selected_answer]<issue_comment>username_2: You can expose service within the cluster via ClusterIP. There are 4 types of service in kubernetes. 1. `NodePort`:- expose service on Kubernetes Nodes port. 2. `ClusterIP`:- You can expose your service with the cluster only 3. `LoadBalancer`:- You can expose your service on Load Balancer which creates one nginx load balancer in GCP. 4. `External name` Upvotes: 0
2018/03/22
483
1,327
<issue_start>username_0: i have 2 arrays $data1 and $data2 when request $data2 **is\_null** or **empty**, always show error ``` Undefined offset: 0 ``` on line ``` {{$data2[$key]->month}} ``` **My blade** ``` @foreach($data1 as $key => $value) | {{$data1[$key]->id}} | {{$data1[$key]->Parameters->name}} | {{$data1[$key]->month}} | @if(isset($data2)) {{$data2[$key]->month}} | @endif @endforeach ``` how i can fix this ?<issue_comment>username_1: Try this, check whether `$data2[$key]` is set `@if(isset($data2[$key]))`: ``` @foreach($data1 as $key => $d1) | {{$data1[$key]->id}} | {{$data1[$key]->Parameters->name}} | {{$data1[$key]->month}} | @if(isset($data2[$key])) {{$data2[$key]->month}} | @endif @endforeach ``` Upvotes: 0 <issue_comment>username_2: You are checking isset for `$data3` but you instead need to check for `$data2[$key]` ``` @foreach($data1 as $key => $d1) | {{$data1[$key]->id}} | {{$data1[$key]->Parameters->name}} | {{$data1[$key]->month}} | @if(isset($data2[$key])) {{$data2[$key]->month}} | @endif @endforeach ``` Also you can change `$data1[$key]` to `$d1` ``` @foreach($data1 as $key => $d1) | {{$d1->id}} | {{$d1->Parameters->name}} | {{$d1->month}} | @if(isset($data2[$key])) {{$data2[$key]->month}} | @endif @endforeach ``` Upvotes: 2 [selected_answer]
2018/03/22
573
1,889
<issue_start>username_0: I have a class. ``` class IncorrectOfferDetailsOfferException(Exception): def __init__(self, offer): self.offerName = offer[0] self.offerType = offer[1] self.message = "Offer \"" + self.offerName + "\" could not be completed. It appears to be of type \"" + self.offerType + "\", but this may be what is wrong and causing the exception." super(IncorrectOfferDetailsOfferException, self).__init__(self.message) ``` I want to write a more general class to expand it. ``` class BadOfferException(Exception): def __init__(self, offer): self.offerName = offer[0] self.offerType = offer[1] self.message = "Offer \"" + self.offerName + "\" caused a problem." ``` How can I relate those two together to remove the redundant code and override the more general message text with the more specific one? You know, class inheritance. I'm having a lot of trouble understanding how to use `super` the right way to do this.<issue_comment>username_1: Try this, check whether `$data2[$key]` is set `@if(isset($data2[$key]))`: ``` @foreach($data1 as $key => $d1) | {{$data1[$key]->id}} | {{$data1[$key]->Parameters->name}} | {{$data1[$key]->month}} | @if(isset($data2[$key])) {{$data2[$key]->month}} | @endif @endforeach ``` Upvotes: 0 <issue_comment>username_2: You are checking isset for `$data3` but you instead need to check for `$data2[$key]` ``` @foreach($data1 as $key => $d1) | {{$data1[$key]->id}} | {{$data1[$key]->Parameters->name}} | {{$data1[$key]->month}} | @if(isset($data2[$key])) {{$data2[$key]->month}} | @endif @endforeach ``` Also you can change `$data1[$key]` to `$d1` ``` @foreach($data1 as $key => $d1) | {{$d1->id}} | {{$d1->Parameters->name}} | {{$d1->month}} | @if(isset($data2[$key])) {{$data2[$key]->month}} | @endif @endforeach ``` Upvotes: 2 [selected_answer]
2018/03/22
504
2,082
<issue_start>username_0: In jenkins I'm seeing the following error message in the jenkins console while building any of our projects that are integrated with Gitlab. **Failed to update Gitlab commit status for project '120': HTTP 403 Forbidden** Would any of you guys happen to know what can be done to resolve this problem? Or where should I start to check for a solution.<issue_comment>username_1: You have a similar error reported in [JENKINS-42535](https://issues.jenkins-ci.org/browse/JENKINS-42535). It includes: > > Actually after some testing in another project which does more than just build steps, it seems that we should call the checkout(scm) before doing any gitlab action so that it is configured to the correct repository. > > > Upvotes: 0 <issue_comment>username_2: 403 Forbidden ------------- , means your client side requests are forbidden and not authorised for valid responses. Check the SSL keys/ user credentials configuration for accessing **Gitlab**. If you are working under a restricted network(which most organisation operates under), use a mirror proxy. Consult the local IT/DevOps team for accessing these resources. Upvotes: 0 <issue_comment>username_3: Thanks guys! Your responses helped me to locate my problem. I was able to fix the problem by changing the global configuration for Gitlab credentials. I went to Jenkins > Manage Jenkins > Configure System And under Gitlab credentials I added the correct user with valid privileges Thanks again. Upvotes: 2 <issue_comment>username_4: **Forbidden 403** There is a lot of things that can go wrong Firstly, recheck if the CI/CD trigger is enabled in your repository ``` General > Visibility, project features, permissions > Repository - CI/CD ``` The second thing you need to check is if the user and API access key have a Maintainer role After those steps hope you will solve your problem Upvotes: 0 <issue_comment>username_5: apart from settings in jenkins side (under Configure System > Gitlab), be sure that user has at least Maintainer rights in the repository Upvotes: 0
2018/03/22
1,223
4,580
<issue_start>username_0: I have a program that reads in a text file and will tokenize the words using a comma as a delimiter. It's working fine, but now I need to switch from using a 2-dimensional array where I know how many elements will be in it to using a 2-d ArrayList since I will not know how many elements will be passed into the ArrayList. here's the working code with the multidimensional array, I'm really just looking for a way to change the below over to use an ArrayList so that i can pass in an unknown amount of elements to the array. ``` String filename = "input.txt"; File file = new File(filename); Scanner sc = new Scanner(file); arraySize = sc.nextLine().trim(); int size = Integer.parseInt(arraySize); // creates a multidimensional array with the size set from the input file. String[][] myArray = new String[size][]; // the outer for loop iterates through each line of the input file to populate the myArray. for (int i = 0; i < myArray.length; i++) { String line = sc.nextLine(); myArray[i] = line.split(","); //splits each comma separated element on the current line. //the inner for loop gets each element of myArray and removes any white space. for (int j = 0; j < myArray[i].length; j++) { myArray[i][j] = myArray[i][j].trim(); } } ``` this is what I've been working on, the only main difference is that the file will have spaces acting as the delimiter instead of commas. and also that it will read in an unkown number of elements from the file into the array. The add() method was giving me the below error. ``` The method add(int, List) in the type List> is not applicable for the arguments (String) ``` . ``` String filename = "input.txt"; File file = new File(filename); Scanner sc = new Scanner(file); // ArrayList> myArray = new ArrayList>(); List> myArray = new ArrayList<>(); while(sc.hasNextLine()) { String line = sc.nextLine(); // each line will have an equation String[] equations = line.split("\\s+"); for (String s : equations) { s = s.trim(); // myArray.add(s); can't figure out how to add into arraylist } } sc.close(); ``` **edit:** I'm not trying to pass an existing array to an ArrayList, just trying to find a way get a multidimensional ArrayList to hold an unspecified amount of elements that are read in from an input file, each word from the input file needs to be split using white space as a delimiter, and stored in the ArrayList.<issue_comment>username_1: Create a new `ArrayList` object for each line in the file. Populate it and add to your container ArrayList. ``` String filename = "input.txt"; File file = new File(filename); Scanner sc = new Scanner(file); List> myArray = new ArrayList<>(); while(sc.hasNextLine()) { String line = sc.nextLine(); // each line will have an equation String[] equations = line.split("\\s+"); List lineArray = new ArrayList<>(); for (String s : equations) { s = s.trim(); lineArray.add(s); } myArray.add(lineArray); } sc.close(); ``` Upvotes: 2 [selected_answer]<issue_comment>username_2: > > convert an Array over to an ArrayList > > > You can do it the following way: `Arrays.stream(equations).map(s -> s.trim()).collect(Collectors.toList());` **Edit**: With `line.split("\\s+");`, you are already splitting the line with one or more consecutive spaces. So you don't have to call trim. So following is a succinct version. Thanks @shmosel. `Arrays.asList(equations);` Upvotes: 0 <issue_comment>username_3: ``` new ArrayList<>(Arrays.asList(array)) ``` duplicate [here](https://stackoverflow.com/questions/157944/create-arraylist-from-array?rq=1) Upvotes: -1 <issue_comment>username_4: Using `Files.lines` it would look like this: ``` public static void main(String[] args) throws IOException { List> words = new ArrayList<>(); try(Stream lines = Files.lines(Paths.get("input.txt"))) { lines.forEach(line -> words.add(Arrays.asList(line.split("\\s+")))); } } ``` If we also then use `Pattern.splitAsStream` it would be a little wordier, but I prefer it over `Stream.forEach`. This approach could in theory be a tiny bit more efficient : ``` public static void main(String[] args) throws IOException { List> words; Pattern p = Pattern.compile("\\s+"); try(Stream lines = Files.lines(Paths.get("input.txt"))) { words = lines.map(s -> p.splitAsStream(s).collect(toList())).collect(toList()); } } ``` Upvotes: 0
2018/03/22
988
3,395
<issue_start>username_0: Let's say I have an array in the form: ``` const array = [{id: 1, title: "this"}, {id: 2, title: "that"}]; ``` I would like to change the value of one element in a given object. So that, for example, my output is like so: > > [{id: 1, title: "this"}, {id: 2, title: "foo foo foo"}]; > > > I'm passing an object with two properties to my function. The first property is the **id** of the object I'd like to modify, and the second property is the **new title**: ``` [2, "foo foo foo"] ``` I'm able to find the index of the correct object using the following code: ``` index = array.findIndex(item => item.id === arr[0]); ``` But I can't figure out how to change the element and replace it with my new title (arr[1]). I would like to change the title element in the second object ***without mutating the array***. Any advice is greatly appreciated. EDIT: Sorry for the confusion regarding "without mutating the array". What I meant was I don't want the returned array to be simply a mutation of the original array, but rather a new array. Maybe "without mutating the *state*" would have been a better choice of words. For example, if I were to return the an array like so: **return [...state]** That would give me a new array (albeit with no changes) without mutating the original array.<issue_comment>username_1: ```js const array = [{ id: 1, title: "this" }, { id: 2, title: "that" }]; function replaceTitle(oldArray, [itemId, newTitle]) { let newArray = JSON.parse(JSON.stringify(oldArray)); (newArray.find(({id}) => id === itemId) || {}).title = newTitle; return newArray; } const newArray = replaceTitle(array, [2, 'foo foo foo']); console.log('ORIGINAL', array); console.log('UPDATED', newArray); ``` Upvotes: 2 <issue_comment>username_2: You aren't mutating the array. You are changing the property of an object contained in the array. The array stores references to your objects. If you want to change an object in the array but still want to keep the original, you have to deep copy all of the objects being stored in the array. Upvotes: 1 <issue_comment>username_3: You can't really change an object without … well *mutating* it. You need a copy of the object. Assuming it's not going to cost to much to copy the array, you can do something like: ```js const arr = [{id: 1, title: "this"}, {id: 2, title: "that"}]; const a2 = arr.map(i => i.id == 2 ? Object.assign({}, i, {title: 'foo foo foo'}): i) console.log("original: ", arr) console.log("with changes: ", a2) ``` In this case, you are copying the original objects with the exception of the changed one, which gets a copy with the changes and leaves the original alone. Upvotes: 4 [selected_answer]<issue_comment>username_4: You can make use of `Array.map` function to iterate over the array and return the new array. In `map` function, check if the `id` is same as the `id passed in the arguments of the function`. If the condition is true, create a new object using `...(spread operators)`. ```js const arr = [{id: 1, title: "this"}, {id: 2, title: "that"}]; var change = (id, title) => { return arr.map(obj => { if (obj.id === id) { return {...obj, title}; } return obj; }); } var arr2 = change(2, "foo foo foo"); console.log("original: ", arr); console.log("with changes: ", arr2); ``` Upvotes: 2
2018/03/22
881
3,081
<issue_start>username_0: I try to install app on the iPhone(iOS 11.2.6) and iPad using Xcode 9.2. It seems Xcode can't connect to the iPhone. After build success, it stuck on tips as below [error tips](https://i.stack.imgur.com/VFEtS.jpg) when goes to window -> devices and simulators [error info](https://i.stack.imgur.com/ZjMAl.jpg) Help/Suggestion. Many THX!!!<issue_comment>username_1: Please follow the steps: * Delete derived data * Disconnect the iPhone or Device which you are trying to installation of app. * Restart the Xcode. * Connect the Device * Clean + Build * Run the app. Make sure you are using latest version of Xcode which is supporting the iOS 11.2.6. Upvotes: 0 <issue_comment>username_2: Xcode and the GDB connection is quite temperamental. The device and your Mac can become unsynchronised with each other. My checklist for this sort of thing: 1. Restart Xcode. 2. Delete the .app from your iOS device, do a Clean then Rebuild. 3. Disconnect, reconnect device. 4. Restart iOS device (90% of the time it fixes things) 5. If all else fails, restart your Mac (unlikely but it did fix an issue once for me). From question: [Error : The service is invalid](https://stackoverflow.com/questions/2160299/error-the-service-is-invalid?utm_medium=organic&utm_source=google_rich_qa&utm_campaign=google_rich_qa) Data remove process: <https://www.macworld.com/article/2364290/ios/four-ways-to-delete-ios-apps.html> * Or please check your iphone and xcode update version of OS! Do you sign in with your dev account with xcode? Example image given below: [![enter image description here](https://i.stack.imgur.com/Iq7pO.png)](https://i.stack.imgur.com/Iq7pO.png) You can try also with network connection: <https://i.stack.imgur.com/VLwMY.jpg> Upvotes: 3 <issue_comment>username_3: In Xcode 9 and above you can run app without connecting it to mac. 1. First set the device lock in iPhone. 2. Then connect it to xCode and go to Window -> Device and Simulators. 3. Select your device from left side list and check Connect via Network checkbox. 4. Then disconnect the device and Go to settings and Enable Network sharing from Sharing setting. 5. Connect your iPhone to wifi of your mac and run the app. It will work in Xcode 9 and above. Upvotes: 0 <issue_comment>username_4: Finally, I figure it out how to solve it. I have two iPhones, one is running iOS 11.2.2. It can be detected in Xcode 9.2. Another one running iOS 11.2.6 can't be detected in Xcode 9.2. I tried all the solutions above, it still not work. After I upgrade the iPhone running iOS 11.2.2 to iOS 11.2.6. When I connect this iPhone to Mac, Xcode take a little while on "preparing debugger support on iPhone". Then anything just works fine. All devices can be connected in Xcode 9.2. It seems some conflicts occur between two different devices running different iOS minor versions respectively. Anyway, thanks to everyone who give me suggestions. Many THX!!! Upvotes: 1 <issue_comment>username_5: If you recently installed/updated Xcode, make sure you install command line tool. Upvotes: 0
2018/03/22
1,372
4,582
<issue_start>username_0: I'm more used to a single map and not to nested map. So I have serious difficulty understanding how to deal with this. **Remark: Please don't request me to use multimap or boost,I'm restricted to use this structure** In C++ STL map, i have a definition like this ``` map> exploration; // country --> state --> city ``` The first map represent a pair of key(country) and value as tree structure `map` which represent there respective state and city. I know how to populate this structure manually **(hard coding)** like so: ``` exploration["Canada"]["Ontario"] = "Toronto"; ``` **Problem :** Later the data showed above will be entred by the user : `> Canada Ontario Toronto` `> Canada Alberta Edmonton` `> USA Washington Seatle` `> USA Nevada Las-Vegas` So if I apply this logic to my example above, this is wrong since map does not accept duplicate keys Illustration **(wrong)** : ``` exploration["Canada"]["Ontario"] = "Toronto"; exploration["Canada"]["Alberta"] = "Edmonton"; ``` Illustration **(What I'm looking for)** : ``` exploration["Canada"]["Ontario"] = "Toronto"; ["Alberta"] = "Edmonton"; Canada ** * * * * Ontario Alberta * * * * Toronto Edmonton ``` My hypothetical solution, ``` > Canada Ontario Toronto ``` **1 case**: If the country(Canada) does not exist in exploration structure,I add it as well as the province and its city. **2 case**: If the country(Canada) exist, so I add Ontario and Toronto a long side the data entered before. Any indications, ideas or hints are welcomed.<issue_comment>username_1: Your example is quite right. Looking at the code below (in C++11 but the same reasoning applies to previous versions), you can see that each country is only inserted once in the `exploration` map. Code: ``` #include #include using namespace std; int main() { map > exploration; exploration["Canada"]["Ontario"] = "Toronto"; exploration["Canada"]["Alberta"] = "Edmonton"; exploration["USA"]["Washington"] = "Seattle"; exploration["USA"]["Nevada"] = "Las Vegas"; cout << "Number of keys: " << exploration.size() << endl; for (auto country : exploration) { for (auto city : country.second) cout << country.first << ":" << city.first << " -> " << city.second << endl; } return 0; } ``` Output: ``` Number of keys: 2 Canada:Alberta -> Edmonton Canada:Ontario -> Toronto USA:Nevada -> Las Vegas USA:Washington -> Seattle ``` Let's go step by step to understand what is going on: 1. `map > exploration`: Defines a map whose keys are strings and its values are other maps. It is empty so far. 2. `exploration["Canada"]["Ontario"] = "Toronto"`: First it checks that `Canada` does not exist in the `exploration map`. Hence a mapping is created linking `Canada` to an empty map. Now, a mapping from `Ontario` to `Toronto` is created inside the `exploration["Canada"]` map. 3. `exploration["Canada"]["Alberta"] = "Edmonton"`: Since the `Canada` key already exists in `exploration`, no need to create it again. It will just map `Alberta` to `Edmonton` in the already created map. The same reasoning applies to the `USA` map. This way, there will be no duplicated keys even with nested maps. C++ is great. Upvotes: 3 [selected_answer]<issue_comment>username_2: You can have two cities in the same state, so you really need `map>>` But what you have before that will already work. For example: ``` #include #include #include #include int main() { std::map>> countries; countries["Canada"]["Ontario"].insert("Toronto"); countries["Canada"]["Ontario"].insert("Something else"); countries["Canada"]["Alberta"].insert("Edmonton"); for (const auto& country : countries) { std::cout << "Country: " << country.first << "\n"; for (const auto& statePair : country.second) { std::cout << "State: " << statePair.first << "\n"; for (const auto& city : statePair.second) { std::cout << "City: " << city << "\n"; } } } return 0; } ``` Will output ``` Country: Canada State: Alberta City: Edmonton State: Ontario City: Something else City: Toronto ``` EDIT: In relation to your follow up question, this should get you there: ``` using CountryMap = std::map>>; bool countryContainsCity(const CountryMap& countryMap, const std::string& country, const std::string& city) { for (const auto& country : countryMap[country]) { for (const auto& statePair : country.second) { if (statePair.second.find(city) { return true; } } } return false; } ``` Upvotes: 1
2018/03/22
1,472
5,382
<issue_start>username_0: Gradle build is not successful because it cannot find ic\_launcher\_foreground.xml in drawable. [![Here are the error messages](https://i.stack.imgur.com/2VWAe.png)](https://i.stack.imgur.com/2VWAe.png) [![Actual error occured in this file](https://i.stack.imgur.com/z1B6p.png)](https://i.stack.imgur.com/z1B6p.png)<issue_comment>username_1: It is because you have accidentally deleted `ic_launcher_forground` or it is missing due to some reason Its genererally present in your drawable folder [![enter image description here](https://i.stack.imgur.com/9srLS.png)](https://i.stack.imgur.com/9srLS.png) A quick fix is you can add this file and rebuild your project again [ic\_launcher\_forground](https://ufile.io/yhwaq) Upvotes: 3 <issue_comment>username_2: Please check your drawable folder ic\_launcher\_forground file is missing [![enter image description here](https://i.stack.imgur.com/8Jtdj.png)](https://i.stack.imgur.com/8Jtdj.png) Rebuild your project again. Upvotes: 0 <issue_comment>username_3: If at all you delete the `ic_launcher_foreground.xml` or `ic_launcher_background.xml` files from your android project then no need to worry. Simply, 1. right click the drawable directory (inside res folder) and select New ---> Image Asset. (2 above named files will automatically be generated with the ic\_laucher) 2. then click next and finally finish. Upvotes: 4 <issue_comment>username_4: I had the same problem too and I solved it by: 1. Make a new project or open an existing one 2. Copy the XML file `ic_launcher_foreground.xml` (v24) from that and paste it to `drawable`. Upvotes: 2 <issue_comment>username_5: I had the problem and the file *did* exist. I went into the file and formatted the contents (aka made a change), and that fixed the build system recognising the file. Upvotes: 6 <issue_comment>username_6: For some reason when I added a file it made the default drawables not findable. Even after gradle sync and build. Then when I deleted the file I had added, suddenly the drawables were findable again and the build went through. Now I still have to figure out how to fix my original issue... Upvotes: 0 <issue_comment>username_7: I solved it by deleting the project's Mipmap folders and creating the icon again by right clicking on the res / folder Upvotes: 5 <issue_comment>username_8: I had the same problem. I checked the contents of `drawable` folder. Found out that the `drawable-v24` folder was empty. To solve this issue, right click on `res` and open in explorer/finder/files (based on what OS you use) and copy the contents of `drawable` to `drawable-v24`. Find the folders in the path in the picture in this link: ![screenshot](https://i.stack.imgur.com/ryEHu.png) Upvotes: 1 <issue_comment>username_9: I ran into this issue after updating my Launcher icon (using New and Image Asset). The issue was resolved by, simply, updating my Launcher icon a second time. No idea why this wasn’t done properly the first time. Upvotes: 2 <issue_comment>username_10: In Android Studio, open `res` -> `mipmap` Open `ic_launcher` folder and it contains drawable as per folder wise (hdpi, mdpi, xhdpi, xxhdpi etc). Now in any folder, let hdpi folder, `delete` the unrequired file with the `same name but a different extension` (Usually we need to delete ic\_launcher\_round.webp file). Repeat it for `ic_launcher_foreground` and `ic_launcher_round` folder also. Then again create your launcher icon (`app` folder -> Right Click -> New -> Image Asset). [![enter image description here](https://i.stack.imgur.com/s0tgB.jpg)](https://i.stack.imgur.com/s0tgB.jpg) Upvotes: 1 <issue_comment>username_11: Just delete files/folders inside the mipmap folders (not the mipmap folder) and create the icon again by right-clicking on the mipmap folder. In my case, this issue was solved this way. Upvotes: 0 <issue_comment>username_12: * Close Android Studio * & open again then again set your project icon * again using App -> new -> Image assert * after that choose icon again * and click next next -> finish after that build project **it will work for you** if not work then again set the icon without restarting android studio Upvotes: 0 <issue_comment>username_13: When creating the image asset be careful to the directory path [![enter image description here](https://i.stack.imgur.com/2RFJL.png)](https://i.stack.imgur.com/2RFJL.png) if you select `debug` you will find an issue when creating your release Upvotes: 0 <issue_comment>username_14: I'm new to Android and the `ic_launcher_foreground` **did exist** but what I didn't realize is that when I created a new class that needed access to `ic_launcher_foreground`, I had to import the `R` class as explained [here](https://stackoverflow.com/a/70703422/4833705) I only had to add this to the top of my class: ``` import com.your.package.R ``` For other newbies like me, you can get `com.your.package` from the very top of MainActivity Upvotes: 0 <issue_comment>username_15: I'm facing the same problem. This happens most often when importing icons in SVG format. The formatting of the icon code when exporting it from an external resource (for example, figma) differs from the format that is required. The solution to the problem is quite simple - go to the XML file of the icon and autoformat the code using the keyboard shortcut `CTRL + ALT + L` Upvotes: 0
2018/03/22
1,007
3,473
<issue_start>username_0: How do I save `response.status` from `$.get()` into a React variable `this.posts`? When I try to access `this.posts` from within `$.get()` it returns `undefined`. ``` import React, { Component } from 'react'; import $ from 'jquery'; class MediumPosts extends Component { constructor(props) { super(props); this.posts = []; } fetchPosts = () => { var data = { rss_url: 'https://medium.com/feed/tradecraft-traction' }; $.get('https://api.rss2json.com/v1/api.json', data, (response) => { if (response.status == 'ok') { console.log(response.items); this.posts = response.items; // Undefined } }); } componentDidMount() { this.fetchPosts(); } render() { return ( {this.posts.map(function(item, i) { return ( * #### {item.title} {item.pubDate} ) })} ) } } export default MediumPosts; ```<issue_comment>username_1: You can use `jQuery.proxy()` to use a particular context. ``` $.get('https://api.rss2json.com/v1/api.json', data, $.proxy(function(response) { if (response.status == 'ok') { console.log(response.items); this.posts = response.items; // Undefined } }, this)); ``` Upvotes: 0 <issue_comment>username_2: You can try this ``` fetchPosts = () => { var self=this; var data = { rss_url: 'https://medium.com/feed/tradecraft-traction' }; $.get('https://api.rss2json.com/v1/api.json', data, (response) => { if (response.status == 'ok') { console.log(response.items); self.setState({posts:response.items}); } }); } ``` Upvotes: 0 <issue_comment>username_3: You should try for callback - ``` var callback = function(value) { this.posts = value; //check here weather this is accessible or not otherwise use var self = this } $.get('https://api.rss2json.com/v1/api.json', data, (response,callback) => { if (response.status == 'ok') { console.log(response.items); this.posts = response.items; // Undefined callback(response.items); } }); ``` Upvotes: 0 <issue_comment>username_4: Basically, you should keep your `posts` in state. When value is changes over the time it should be in the `state` (if it's not coming from the parent component) and then you just need update it. [ReactJS docs reference](https://reactjs.org/docs/thinking-in-react.html) So, your code will look like: ``` class MediumPosts extends Component { constructor(props) { super(props); // init state this.state = { posts: [], } } fetchPosts = () => { // because you are pass arrow function in the callback we have to save `this`. // or you can create callback function in the component and pass it const self = this; const data = { rss_url: 'https://medium.com/feed/tradecraft-traction' }; $.get('https://api.rss2json.com/v1/api.json', data, response => { if (response.status == 'ok') { self.setState({posts: response.items}); } }); } componentDidMount() { this.fetchPosts(); } render() { return ( {this.state.posts.map(function(item, i) { return ( * #### {item.title} {item.pubDate} ) })} ) } } export default MediumPosts; ``` Anyway, I advice you to get rid of `jQuery` in ReactJS projects. Instead, use [axios](https://github.com/axios/axios). Hope it will helps. Upvotes: 1
2018/03/22
1,009
3,414
<issue_start>username_0: I've got this issue. As you can see, I've already export (with redux) the Component. What did I do wrong? [Error](https://i.stack.imgur.com/1nvDX.png) ``` ... const Principal = (props) => { return ( WhatsApp Clone! props.modificaEmail(value) } style={{fontSize: 20, height: 45}} placeholder='E-mail'/> props.modificaSenha(value) } style={{fontSize: 20, height: 45}} placeholder='Senha'/> Actions.Cadastrar()} activeOpacity={0.3} underlayColor='#F5FCFF'> Ainda não tem cadastro? Cadastre-se false} /> ); } ... const mapStateToProps = (state) => ( { email: state.AutenticacaoReducer.email, senha: state.AutenticacaoReducer.senha } ) export default connect(mapStateToProps, { modificaEmail, modificaSenha })(Principal); ``` I've googled it, but unsuccessfully, so, can you guys help me?<issue_comment>username_1: You can use `jQuery.proxy()` to use a particular context. ``` $.get('https://api.rss2json.com/v1/api.json', data, $.proxy(function(response) { if (response.status == 'ok') { console.log(response.items); this.posts = response.items; // Undefined } }, this)); ``` Upvotes: 0 <issue_comment>username_2: You can try this ``` fetchPosts = () => { var self=this; var data = { rss_url: 'https://medium.com/feed/tradecraft-traction' }; $.get('https://api.rss2json.com/v1/api.json', data, (response) => { if (response.status == 'ok') { console.log(response.items); self.setState({posts:response.items}); } }); } ``` Upvotes: 0 <issue_comment>username_3: You should try for callback - ``` var callback = function(value) { this.posts = value; //check here weather this is accessible or not otherwise use var self = this } $.get('https://api.rss2json.com/v1/api.json', data, (response,callback) => { if (response.status == 'ok') { console.log(response.items); this.posts = response.items; // Undefined callback(response.items); } }); ``` Upvotes: 0 <issue_comment>username_4: Basically, you should keep your `posts` in state. When value is changes over the time it should be in the `state` (if it's not coming from the parent component) and then you just need update it. [ReactJS docs reference](https://reactjs.org/docs/thinking-in-react.html) So, your code will look like: ``` class MediumPosts extends Component { constructor(props) { super(props); // init state this.state = { posts: [], } } fetchPosts = () => { // because you are pass arrow function in the callback we have to save `this`. // or you can create callback function in the component and pass it const self = this; const data = { rss_url: 'https://medium.com/feed/tradecraft-traction' }; $.get('https://api.rss2json.com/v1/api.json', data, response => { if (response.status == 'ok') { self.setState({posts: response.items}); } }); } componentDidMount() { this.fetchPosts(); } render() { return ( {this.state.posts.map(function(item, i) { return ( * #### {item.title} {item.pubDate} ) })} ) } } export default MediumPosts; ``` Anyway, I advice you to get rid of `jQuery` in ReactJS projects. Instead, use [axios](https://github.com/axios/axios). Hope it will helps. Upvotes: 1
2018/03/22
268
954
<issue_start>username_0: I'm having trouble selecting a link from this dropdown menu. The html is this: ``` - [Automation Practice Form](http://toolsqa.com/automation-practice-form/) ``` I've tried Command: Select Target: class="menu-item menu-item-type-post\_type menu-item-object-page menu-item-22594" But it's failing. I would like to navigate to the link to test other things on that webpage.<issue_comment>username_1: In case of Select class, use normal way of identifying the element. You can use xpath : `//span[text()='Automation Practice Form']` to identify element and then click on it. It should work. **Note:** We should use Select class when it is present in DOM Upvotes: 1 <issue_comment>username_2: To click on the link with text as **Automation Practice Form** you can use the following `xpath` : ``` //a[@href='http://toolsqa.com/automation-practice-form/']/span[@class='menu-item-text']/span[@class='menu-text'] ``` Upvotes: 0
2018/03/22
1,713
5,046
<issue_start>username_0: Here is the code ``` class A { x = 0; y = 0; visible = false; render() { return 1; } } type RemoveProperties = { readonly [P in keyof T]: T[P] extends Function ? T[P] : never//; }; type JustMethodKeys = ({ [P in keyof T]: T[P] extends Function ? P : never })[keyof T]; type JustMethods = Pick>; type IsValidArg = T extends object ? keyof T extends never ? false : true : true; type Promisified = T extends (...args: any[]) => Promise ? T : ( T extends (a: infer A, b: infer B, c: infer C, d: infer D, e: infer E, f: infer F, g: infer G, h: infer H, i: infer I, j: infer J) => infer R ? ( IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G, h: H, i: I, j: J) => Promise : IsValidArg *extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G, h: H, i: I) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G, h: H) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D) => Promise : IsValidArg extends true ? (a: A, b: B, c: C) => Promise : IsValidArg **extends true ? (a: A, b: B) => Promise : IsValidArgextends true ? (a: A) => Promise : () => Promise ) : never ); var a = new A() as JustMethods// I want to JustMethod && Promisified a.visible // error var b = a.render() // b should be Promise*** ``` How to implement it ? I want to remove visible and promisify render method , how to composite Promisified and JustMethods ?<issue_comment>username_1: You need to use a mapped type that takes just the methods of the type using `JustMethodKeys` and uses `Promisified` on each property ``` class A { x = 0; y = 0; visible = false; render() { return 1; } } type JustMethodKeys = ({ [P in keyof T]: T[P] extends Function ? P : never })[keyof T]; type IsValidArg = T extends object ? keyof T extends never ? false : true : true; type Promisified = T extends (...args: any[]) => Promise ? T : ( T extends (a: infer A, b: infer B, c: infer C, d: infer D, e: infer E, f: infer F, g: infer G, h: infer H, i: infer I, j: infer J) => infer R ? ( IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G, h: H, i: I, j: J) => Promise : IsValidArg *extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G, h: H, i: I) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G, h: H) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F, g: G) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E, f: F) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D, e: E) => Promise : IsValidArg extends true ? (a: A, b: B, c: C, d: D) => Promise : IsValidArg extends true ? (a: A, b: B, c: C) => Promise : IsValidArg **extends true ? (a: A, b: B) => Promise : IsValidArgextends true ? (a: A) => Promise : () => Promise ) : never ); type PromisifyMethods = { // We take just the method key and Promisify them, // We have to use T[P] & Function because the compiler will not realize T[P] will always be a function [P in JustMethodKeys] : Promisified } //Usage declare var a : PromisifyMethodsa.visible // error var b = a.render() // b is Promise*** ``` **Edit** Since the original question was answered typescript has improved the possible solution to this problem. With the addition of [Tuples in rest parameters and spread expressions](https://github.com/Microsoft/TypeScript/pull/24897) we now don't need to have all the overloads for `Promisified`: ``` type JustMethodKeys = ({ [P in keyof T]: T[P] extends Function ? P : never })[keyof T]; type ArgumentTypes = T extends (... args: infer U ) => any ? U: never; type Promisified = T extends (...args: any[])=> infer R ? (...a: ArgumentTypes) => Promise : never; type PromisifyMethods = { // We take just the method key and Promisify them, // We have to use T[P] & Function because the compiler will not realize T[P] will always be a function [P in JustMethodKeys] : Promisified } //Usage declare var a : PromisifyMethodsa.visible // error var b = a.render("") // b is Promise , render is render: (k: string) => Promise ``` Not only is this shorter but it solves a number of problems * Optional parameters remain optional * Argument names are preserved * Works for any number of arguments Upvotes: 3 <issue_comment>username_2: Similar to another answer, but here's what I arrived at ```js type Method = (...args: any) => any; type KeysOfMethods = ({ [P in keyof T]: T[P] extends Method ? P : never })[keyof T]; type PickMethods = Pick>; type Promisify = T extends Promise ? Promise : Promise; type PromisifyMethod = (...args: Parameters) => Promisify>; type PromisifyMethods = { [P in keyof T]: T[P] extends Method ? PromisifyMethod : T[P] }; type PromisifiedMethodsOnly = PickMethods> ``` Upvotes: 0
2018/03/22
2,714
9,329
<issue_start>username_0: I have script in `pyspark` like below. I want to unit test a `function` in this script. ``` def rename_chars(column_name): chars = ((' ', '_&'), ('.', '_$')) new_cols = reduce(lambda a, kv: a.replace(*kv), chars, column_name) return new_cols def column_names(df): changed_col_names = df.schema.names for cols in changed_col_names: df = df.withColumnRenamed(cols, rename_chars(cols)) return df ``` I wrote a `unittest` like below to test the function. But I don't know how to submit the `unittest`. I have done `spark-submit` which doesn't do anything. ``` import unittest from my_script import column_names from pyspark import SparkContext, SparkConf from pyspark.sql import HiveContext conf = SparkConf() sc = SparkContext(conf=conf) sqlContext = HiveContext(sc) cols = ['ID', 'NAME', 'last.name', 'abc test'] val = [(1, 'Sam', 'SMITH', 'eng'), (2, 'RAM', 'Reddy', 'turbine')] df = sqlContext.createDataFrame(val, cols) class RenameColumnNames(unittest.TestCase): def test_column_names(self): df1 = column_names(df) result = df1.schema.names expected = ['ID', 'NAME', 'last_$name', 'abc_&test'] self.assertEqual(result, expected) ``` How can I integrate this script to work as a `unittest` what can I run this on a node where I have `pyspark` installed?<issue_comment>username_1: **Pyspark Unittests guide** 1.You need to [download](https://spark.apache.org/downloads.html) Spark distribution from site and unpack it. Or if you already have a working distribution of Spark and Python just install **pyspark**: `pip install pyspark` 2.Set system variables like this if needed: ``` export SPARK_HOME="/home/eugene/spark-1.6.0-bin-hadoop2.6" export PYTHONPATH="$SPARK_HOME/python/:$SPARK_HOME/python/lib/py4j-0.9-src.zip:$PYTHONPATH" export PATH="SPARK_HOME/bin:$PATH" ``` I added this in .profile in my home directory. **If you already have an working distribution of Spark this variables may be set.** 3.Additionally you may need to setup: ``` PYSPARK_SUBMIT_ARGS="--jars path/to/hive/jars/jar.jar,path/to/other/jars/jar.jar --conf spark.driver.userClassPathFirst=true --master local[*] pyspark-shell" PYSPARK_PYTHON="/home/eugene/anaconda3/envs/ste/bin/python3" ``` **Python and jars? Yes.** [Pyspark uses py4j](https://cwiki.apache.org/confluence/display/SPARK/PySpark+Internals) to communicate with java part of Spark. And if you want to solve more complicated situation like [run Kafka server with tests in Python](https://stackoverflow.com/a/48416454/8442366) or use TestHiveContext from Scala like in the example you should specify jars. I did it through Idea run configuration environment variables. 4.And you could to use `pyspark/tests.py`, `pyspark/streaming/tests.py`, `pyspark/sql/tests.py`, `pyspark/ml/tests.py`, `pyspark/mllib/tests.py`scripts wich contain various TestCase classes and examples for testing pyspark apps. In your case you could do (example from pyspark/sql/tests.py): ``` class HiveContextSQLTests(ReusedPySparkTestCase): @classmethod def setUpClass(cls): ReusedPySparkTestCase.setUpClass() cls.tempdir = tempfile.NamedTemporaryFile(delete=False) try: cls.sc._jvm.org.apache.hadoop.hive.conf.HiveConf() except py4j.protocol.Py4JError: cls.tearDownClass() raise unittest.SkipTest("Hive is not available") except TypeError: cls.tearDownClass() raise unittest.SkipTest("Hive is not available") os.unlink(cls.tempdir.name) _scala_HiveContext =\ cls.sc._jvm.org.apache.spark.sql.hive.test.TestHiveContext(cls.sc._jsc.sc()) cls.sqlCtx = HiveContext(cls.sc, _scala_HiveContext) cls.testData = [Row(key=i, value=str(i)) for i in range(100)] cls.df = cls.sc.parallelize(cls.testData).toDF() @classmethod def tearDownClass(cls): ReusedPySparkTestCase.tearDownClass() shutil.rmtree(cls.tempdir.name, ignore_errors=True) ``` but you need to specify --jars with Hive libs in PYSPARK\_SUBMIT\_ARGS as described earlier or without Hive: ``` class SQLContextTests(ReusedPySparkTestCase): def test_get_or_create(self): sqlCtx = SQLContext.getOrCreate(self.sc) self.assertTrue(SQLContext.getOrCreate(self.sc) is sqlCtx) ``` **As I know if pyspark have been installed through `pip`, you haven't tests.py described in example.** In this case just download the distribution from Spark site and copy code examples. Now you could run your TestCase as a normal: `python -m unittest test.py` **update:** Since spark 2.3 using of HiveContext and SqlContext is deprecated. You could use SparkSession Hive API. Upvotes: 4 [selected_answer]<issue_comment>username_2: Here's one way to do it. In the CLI call: ``` python -m unittest my_unit_test_script.py ``` **Code** ``` import functools import unittest from pyspark import SparkContext, SparkConf from pyspark.sql import HiveContext def rename_chars(column_name): chars = ((' ', '_&'), ('.', '_$')) new_cols = functools.reduce(lambda a, kv: a.replace(*kv), chars, column_name) return new_cols def column_names(df): changed_col_names = df.schema.names for cols in changed_col_names: df = df.withColumnRenamed(cols, rename_chars(cols)) return df class RenameColumnNames(unittest.TestCase): def setUp(self): conf = SparkConf() sc = SparkContext(conf=conf) self.sqlContext = HiveContext(sc) def test_column_names(self): cols = ['ID', 'NAME', 'last.name', 'abc test'] val = [(1, 'Sam', 'SMITH', 'eng'), (2, 'RAM', 'Reddy', 'turbine')] df = self.sqlContext.createDataFrame(val, cols) result = df.schema.names expected = ['ID', 'NAME', 'last_$name', 'abc_&test'] self.assertEqual(result, expected) ``` Upvotes: 2 <issue_comment>username_3: Assuming you have `pyspark` installed (e.g. `pip install pyspark` on a venv), you can use the class below for unit testing it in `unittest`: ``` import unittest import pyspark class PySparkTestCase(unittest.TestCase): @classmethod def setUpClass(cls): conf = pyspark.SparkConf().setMaster("local[*]").setAppName("testing") cls.sc = pyspark.SparkContext(conf=conf) cls.spark = pyspark.SQLContext(cls.sc) @classmethod def tearDownClass(cls): cls.sc.stop() ``` Example: ``` class SimpleTestCase(PySparkTestCase): def test_with_rdd(self): test_input = [ ' hello spark ', ' hello again spark spark' ] input_rdd = self.sc.parallelize(test_input, 1) from operator import add results = input_rdd.flatMap(lambda x: x.split()).map(lambda x: (x, 1)).reduceByKey(add).collect() self.assertEqual(results, [('hello', 2), ('spark', 3), ('again', 1)]) def test_with_df(self): df = self.spark.createDataFrame(data=[[1, 'a'], [2, 'b']], schema=['c1', 'c2']) self.assertEqual(df.count(), 2) ``` Note that this creates a context per class. Use `setUp` instead of `setUpClass` to get a context per test. This typically adds a lot of overhead time on the execution of the tests, as creating a new spark context is currently expensive. Upvotes: 2 <issue_comment>username_4: Here's a lightweight way to test your function. You don't need to download Spark to run PySpark tests like the accepted answer outlines. Downloading Spark is an option, but it's not necessary. Here's the test: ```py import pysparktestingexample.stackoverflow as SO from chispa import assert_df_equality import pyspark.sql.functions as F def test_column_names(spark): source_data = [ ("jose", "oak", "switch") ] source_df = spark.createDataFrame(source_data, ["some first name", "some.tree.type", "a gaming.system"]) actual_df = SO.column_names(source_df) expected_data = [ ("jose", "oak", "switch") ] expected_df = spark.createDataFrame(expected_data, ["some_&first_&name", "some_$tree_$type", "a_&gaming_$system"]) assert_df_equality(actual_df, expected_df) ``` The SparkSession used by the test is defined in the `tests/conftest.py` file: ```py import pytest from pyspark.sql import SparkSession @pytest.fixture(scope='session') def spark(): return SparkSession.builder \ .master("local") \ .appName("chispa") \ .getOrCreate() ``` The test uses the `assert_df_equality` function defined in the [chispa](https://github.com/Mrusername_4/chispa) library. Here's [your code](https://github.com/Mrusername_4/pysparktestingexample/blob/master/pysparktestingexample/stackoverflow.py) and [the test](https://github.com/Mrusername_4/pysparktestingexample/blob/master/tests/test_stackoverflow.py) in a GitHub repo. pytest is generally preferred in the Python community over unittest. [This blog post](https://mungingdata.com/pyspark/testing-pytest-chispa/) explains how to test PySpark programs and ironically has a `modify_column_names` function that'd let you rename these columns more elegantly. ```py def modify_column_names(df, fun): for col_name in df.columns: df = df.withColumnRenamed(col_name, fun(col_name)) return df ``` Upvotes: 3
2018/03/22
1,034
3,729
<issue_start>username_0: Hi everyone I am a bit stuck on a problem with apollo-angular and apollo-link-error. I've tried a few different ways and I can't seem to catch any errors client-side in my angular web app. I posted my attempts below. Any suggestions or an extra set of eyes would be much appreciated. Basically all I am trying to do is when an error occurs to prompt my user about the problem. If anyone has some alternate npm package other than apollo-link-error I am all ears. **Attempt 1:** ``` export class AppModule { constructor (apollo: Apollo, httpLink: HttpLink) { apollo.create({ link: httpLink.create({ uri: 'http://localhost:8080/graphql' }), cache: new InMemoryCache() }); const error = onError(({ networkError }) => { const networkErrorRef:HttpErrorResponse = networkError as HttpErrorResponse; if (networkErrorRef && networkErrorRef.status === 401) { console.log('Prompt User', error); } }); } } ``` **Attempt 2:** ``` export class AppModule { constructor (apollo: Apollo, httpLink: HttpLink) { apollo.create({ link: httpLink.create({ uri: 'http://localhost:8080/graphql' }), cache: new InMemoryCache() }); const error = onError(({networkError}) => { if (networkError.status === 401) { console.log('Prompt User', error); } }); } } ``` **Attempt 3:** ``` export class AppModule { constructor (apollo: Apollo, httpLink: HttpLink) { apollo.create({ link: httpLink.create({ uri: 'http://localhost:8080/graphql' }), cache: new InMemoryCache() }); const link = onError(({ graphQLErrors, networkError }) => { if (graphQLErrors) graphQLErrors.map(({ message, locations, path }) => console.log( `[GraphQL error]: Message: ${message}, Location: ${locations}, Path: ${path}`, ), ); if (networkError) console.log(`[Network error]: ${networkError}`); }); } } ```<issue_comment>username_1: You can see `apollo-link-error` as a middleware so you have to add it to the fetching process in the apollo client. Meaning that you have to create another apollo link which combines both the http and the error link: ```js import { ApolloLink } from 'apollo-link'; import { HttpLink } from 'apollo-link-http'; import { onError } from 'apollo-link-error'; ... const errorLink = onError(({ graphQLErrors, networkError }) => { if (graphQLErrors) graphQLErrors.map(({ message, locations, path }) => console.log( `[GraphQL error]: Message: ${message}, Location: ${locations}, Path: ${path}`, ), ); if (networkError) console.log(`[Network error]: ${networkError}`); }); } } const httpLink = new HttpLink({ uri: "http://localhost:8080/graphql" }); const httpLinkWithErrorHandling = ApolloLink.from([ errorLink, httpLink, ]); apollo.create({ link: httpLinkWithErrorHandling, cache: new InMemoryCache() }); ... ``` Upvotes: 5 [selected_answer]<issue_comment>username_2: Another possible solution: ```js import { HttpLink } from 'apollo-link-http'; import { onError } from 'apollo-link-error'; ... const errorLink = onError(({ graphQLErrors, networkError }) => { if (graphQLErrors) graphQLErrors.map(({ message, locations, path }) => console.log( `[GraphQL error]: Message: ${message}, Location: ${locations}, Path: ${path}`, ), ); if (networkError) console.log(`[Network error]: ${networkError}`); }); } } const link = httpLink.create({ uri: environment.applications.mAPI.adminEndPoint, }); apollo.create({ link: errorLink.concat(link), cache: new InMemoryCache() }); ... ``` Upvotes: 3
2018/03/22
437
1,349
<issue_start>username_0: I've typed some code in Python 3 idle and don't understand the output. Can someone explain, why this happens: > > 1 > 0 == True > > > ``` False ``` > > 1 > (0 == True) > > > ``` True ``` > > (1 > 0) == True > > > ``` True ``` Also you can replace digits to bools and output will be the same.<issue_comment>username_1: These operators all have the same precedence ([From Docs](https://docs.python.org/3/reference/expressions.html#comparisons)) > > Unlike C, all comparison operations in Python have the same priority, which is lower than that of any arithmetic, shifting or bitwise operation. > > > Upvotes: 0 <issue_comment>username_2: Please take a look at the [chained comparison](https://docs.python.org/3/reference/expressions.html#comparisons). This explains the query, e.g. first expression - ``` 1 > 0 == True ``` can be broken as (1>0) and (0==True), which is True and False and will return false. Upvotes: 0 <issue_comment>username_3: Because in Python, [comparisons can be chained arbitrarily](https://docs.python.org/3/reference/expressions.html#comparisons). So your expression is equivalent to ``` (1 > 0) and (0 == True) ``` the latter part of which obviously fails. You would be surprised to see this is true in Python, but false in C: ``` 5 > 4 > 3 > 2 > 1 ``` Upvotes: 1
2018/03/22
656
2,057
<issue_start>username_0: I am currently working on replicating YOLOv2 (not tiny) on iOS (Swift4) using MPS. A problem is that it is hard for me to implement space\_to\_depth function (<https://www.tensorflow.org/api_docs/python/tf/space_to_depth>) and concatenation of two results from convolutions (13x13x256 + 13x13x1024 -> 13x13x1280). Could you give me some advice on making these parts? My codes are below. ``` ... let conv19 = MPSCNNConvolutionNode(source: conv18.resultImage, weights: DataSource("conv19", 3, 3, 1024, 1024)) let conv20 = MPSCNNConvolutionNode(source: conv19.resultImage, weights: DataSource("conv20", 3, 3, 1024, 1024)) let conv21 = MPSCNNConvolutionNode(source: conv13.resultImage, weights: DataSource("conv21", 1, 1, 512, 64)) /***** 1. space_to_depth with conv21 2. concatenate the result of conv20(13x13x1024) to the result of 1 (13x13x256) I need your help to implement this part! ******/ ```<issue_comment>username_1: These operators all have the same precedence ([From Docs](https://docs.python.org/3/reference/expressions.html#comparisons)) > > Unlike C, all comparison operations in Python have the same priority, which is lower than that of any arithmetic, shifting or bitwise operation. > > > Upvotes: 0 <issue_comment>username_2: Please take a look at the [chained comparison](https://docs.python.org/3/reference/expressions.html#comparisons). This explains the query, e.g. first expression - ``` 1 > 0 == True ``` can be broken as (1>0) and (0==True), which is True and False and will return false. Upvotes: 0 <issue_comment>username_3: Because in Python, [comparisons can be chained arbitrarily](https://docs.python.org/3/reference/expressions.html#comparisons). So your expression is equivalent to ``` (1 > 0) and (0 == True) ``` the latter part of which obviously fails. You would be surprised to see this is true in Python, but false in C: ``` 5 > 4 > 3 > 2 > 1 ``` Upvotes: 1
2018/03/22
1,310
4,267
<issue_start>username_0: [![enter image description here](https://i.stack.imgur.com/8nGTs.png)](https://i.stack.imgur.com/8nGTs.png) Hi, as the title implies, how do I ignore SQL syntax highlighting on my .php files? As you could see on the image above, Visual Studio Code seems to think that the `'DELETE /api/crm/contact_meetings....'` starts a SQL query and messes up the highlighting of the whole file. I have tried checking the Visual Studio Code's settings but to no avail, I can't seem to find a relevant configuration entry for it.<issue_comment>username_1: Just wanted to note, that I also experience this with the keyword DELETE. There is definitely something buggy with this keyword. My investigations thus far, have led me to believe its either a language specific issue, or a theme specific issue. PHP's language syntax highlight rules were taken from Atom's definitions -- see here: <https://github.com/atom/language-php/blob/master/grammars/php.cson> and here <https://github.com/atom/language-php/issues/321> Visual Studio Code implemented this through `php.tmLanguage.json` which you'll find in `~\AppData\Local\Programs\Microsoft VS Code\resources\app\extensions\php\syntaxes`. Or, its a theme specific thing which may be somewhere here `~\AppData\Local\Programs\Microsoft VS Code\resources\app\extensions\theme-defaults\themes`. The VS Code team says any contributions or issues should be addressed with against the original repository (linked above). I've decided that its just not worth my time to investigate further, but you're welcome to try raising an issue over there :) If you happen to find a fix, please let me know! [![enter image description here](https://i.stack.imgur.com/Ao2lL.png)](https://i.stack.imgur.com/Ao2lL.png) Upvotes: 2 <issue_comment>username_2: I had the same problem, and I fix it with the help of username_1' post. Just delete these lines! > > ~\AppData\Local\Programs\Microsoft VS > Code\resources\app\extensions\php\syntaxes\php.tmLanguage.json > > > ``` 2531: "sql-string-double-quoted": { 2532: "begin": "\"\\s*(?=(SELECT|INSERT|UPDATE|DELETE|CREATE|REPLACE|ALTER|AND)\\b)", 2533: "beginCaptures": { 2534: "0": { 2535: "name": "punctuation.definition.string.begin.php" 2536: } 2537: }, 2538: "contentName": "source.sql.embedded.php", 2539: "end": "\"", 2540: "endCaptures": { 2541: "0": { 2542: "name": "punctuation.definition.string.end.php" 2543: } 2544: }, 2545: "name": "string.quoted.double.sql.php", 2546: "patterns": [ 2547: { 2548: "include": "source.sql" 2549: } 2550: ] 2551: }, 2552: "sql-string-single-quoted": { 2553: "begin": "'\\s*(?=(SELECT|INSERT|UPDATE|DELETE|CREATE|REPLACE|ALTER|AND)\\b)", 2554: "beginCaptures": { 2555: "0": { 2556: "name": "punctuation.definition.string.begin.php" 2557: } 2558: }, 2559: "contentName": "source.sql.embedded.php", 2560: "end": "'", 2561: "endCaptures": { 2562: "0": { 2563: "name": "punctuation.definition.string.end.php" 2564: } 2565: }, 2566: "name": "string.quoted.single.sql.php", 2567: "patterns": [ 2568: { 2569: "include": "source.sql" 2570: } 2571: ] 2572: }, ``` I'd have to add it as a comment to username_1' post, but I can't because I'm completely new to here. Sorry. Hope it helps you. Upvotes: 2 <issue_comment>username_3: I know this is old, but I found an easy answer. Open ~\AppData\Local\Programs\Microsoft VS Code\resources\app\extensions\php\syntaxes\php.tmLanguage.json search and replace the line (there's multiple instances) ``` SELECT|INSERT|UPDATE|DELETE|CREATE|REPLACE|ALTER|AND ``` with ``` SELECT|INSERT|UPDATE|DELETE FROM|CREATE|REPLACE|ALTER|AND ``` That will make sure that the SQL formatting only kicks in when "delete from" is used, while leaving the normal syntax highlighting intact. Upvotes: 0
2018/03/22
1,042
2,855
<issue_start>username_0: I have a date format of `12March2018` I am trying to get a regular expression to identify the pattern using a regex expression. 1st letter must be numeric.Followed by the first 3 letters of the month. If the word which follows the numeric matches with any first 3 letter of any month it should return true. How do I get it?<issue_comment>username_1: Can you try using this regex: ``` /(?:Jan(?:uary)?|Feb(?:ruary)?|Mar(?:ch)?|Apr(?:il)?|May|Jun(?:e)?|Jul(?:y)?|Aug(?:ust)?|Sep(?:tember)?|Oct(?:ober)?|Nov(?:ember)?|Dec(?:ember)?)/g ``` In your case for identifying `March` from `12March2018`, you can use as: ``` (?:Mar(?:ch)) ``` Here `(?:Mar)` is for identifying a month which is denote by 3 character (simple representation). And by using `(?:ch)`, the full name of the month is matched or identified from string. You can test this [here](https://regex101.com/r/wXIMo7/6). [![enter image description here](https://i.stack.imgur.com/jJO2r.png)](https://i.stack.imgur.com/jJO2r.png) Upvotes: 3 [selected_answer]<issue_comment>username_2: if you wanna match groups of months, say, those with 31-days, with all input being first 3 letters, properly cased, here's the most succinct regex I could conjure up to match all 7 of months using just 4 letters : > > > ``` > {m,g,n}awk '/[acgl]/' > > ``` > > ``` Jan J [a] n Mar M [a] r May M [a] y Jul J u [l] Aug A u [g] Oct O [c] t Dec D [c] t ``` if they're already all lowercased, then > > > ``` > /[^a]a|[cgl]/ > /a[^p]|[cgl]/ > > ``` > > ``` jan mar may jul aug oct dec ``` for the 30-day ones, regardless of proper or lowercase, > > > ``` > /p|v|un/ > > ``` > > ``` apr a [p] r jun j [u][n] sep s e [p] nov n o [v] ``` if you wanna match what people frequently describe as then "**summer months**", despite that not being officially defined : > > > ``` > /u/ > > ``` > > ``` Jun J [u] n Jul J [u] l Aug A [u] g ``` just the 4th-quarter months : > > > ``` > /[cv]/ > > ``` > > ``` Oct Nov Dec ``` depending on whether you want to maximize the amount of months captured, or require uniqueness, here's a quick reference table as to uniqueness of the first 3 letters, when properly cased : ``` repeated : unique DFNOS bglotvy repeated : 2-times AM cnpr repeated : 3-times J aeu ``` when they're all uni-cased : ``` repeated : unique BDFGLSTVY repeated : 3-times EJNU repeated : 2-times CMOPR repeated : 5-times A ``` when you include every letter of their full english names, uni-cased: ``` repeated : unique FGHIV repeated : 6-times U repeated : 2-times DLPS repeated : 8-times A repeated : 3-times CJOT repeated : 9-times R repeated : 4-times NY repeated : 11-times E repeated : 5-times BM ``` Upvotes: 0
2018/03/22
529
1,842
<issue_start>username_0: **UPDATE:** I am passing a string variable and am iterating through the string character by character. Whenever I run into a decimal, I want to combine the previous position on the string (i.e. 2) and the next position in the string (i.e. 5) into a double. So how would I go about making the char 2, char . , char 5 into one whole double value (2.5)? Without using STL classes or Vectors. What I went ahead and tried was the following below. However, whenever I do the stuff in the var line, it doesn't hold the value 2.5 as a string. It holds a: "•". Is there something wrong that I am doing?<issue_comment>username_1: I would do something like this: ``` double x; std::string temp = ""; std::string variableName = "4 5 7 2.5"; std::string::size_type sz; // alias of size_t for (int i = 0; i < variableName.length(); i++) // iterates through variableName { if (variableName[i] == '.') { temp += variableName[i - 1]; temp += variableName[i]; temp += variableName[i + 1]; x = stod(temp, &sz); } } return x; ``` Upvotes: 0 <issue_comment>username_2: If your point is to parse strings to doubles, I would take a different approach to iterate through the string. First, I would create an iterator splited by space to avoid checking if there is a '.'. And then I would iterate through this new iterator. Something like this ``` #include #include #include #include #include int main() { using namespace std; double num; string variableName = "4 5 7 2.5"; istringstream iss(variableName); vector nums{istream\_iterator{iss}, istream\_iterator{}}; for (int i = 0; i < nums.size(); i++) { num = stod(nums[i]); } return 0; } ``` The advantage of this approach is that it works regardless on how many characters are before and after the decimal point. Upvotes: 2
2018/03/22
495
1,723
<issue_start>username_0: Let say I have a `UICollectionViewCell` and below is my layout of the `cell` ``` LabelOne || LabelTwo || Button ``` In my `CollectionViewController`, I set cellForRowAtIndexPath = 30. Now, I want to show a label named labelThree under label two and increase my cell height = 60 after button pressed. Below is the layout what I want to accomplish after button press ``` LabelOne || LabelTwo || Button Label Three ``` Does anyone have any suggestions? Thanks in advance!<issue_comment>username_1: I would do something like this: ``` double x; std::string temp = ""; std::string variableName = "4 5 7 2.5"; std::string::size_type sz; // alias of size_t for (int i = 0; i < variableName.length(); i++) // iterates through variableName { if (variableName[i] == '.') { temp += variableName[i - 1]; temp += variableName[i]; temp += variableName[i + 1]; x = stod(temp, &sz); } } return x; ``` Upvotes: 0 <issue_comment>username_2: If your point is to parse strings to doubles, I would take a different approach to iterate through the string. First, I would create an iterator splited by space to avoid checking if there is a '.'. And then I would iterate through this new iterator. Something like this ``` #include #include #include #include #include int main() { using namespace std; double num; string variableName = "4 5 7 2.5"; istringstream iss(variableName); vector nums{istream\_iterator{iss}, istream\_iterator{}}; for (int i = 0; i < nums.size(); i++) { num = stod(nums[i]); } return 0; } ``` The advantage of this approach is that it works regardless on how many characters are before and after the decimal point. Upvotes: 2
2018/03/22
548
1,774
<issue_start>username_0: The issue: [![enter image description here](https://i.stack.imgur.com/rck2W.png)](https://i.stack.imgur.com/rck2W.png) Basically when it sees type of letter that regex don't allow it messes up with the link. My function in php to convert the names that are read from database into links: ``` function convertActor($str) { $regex = "/([a-zA-Z-.' ])+/"; $str = preg_replace($regex, "[$0](/pretraga.php?q=$0 "$0")", $str); return $str; } ``` Also I want to allow spaces, dashes, dots and single quotes. Thanks in advance.<issue_comment>username_1: I would do something like this: ``` double x; std::string temp = ""; std::string variableName = "4 5 7 2.5"; std::string::size_type sz; // alias of size_t for (int i = 0; i < variableName.length(); i++) // iterates through variableName { if (variableName[i] == '.') { temp += variableName[i - 1]; temp += variableName[i]; temp += variableName[i + 1]; x = stod(temp, &sz); } } return x; ``` Upvotes: 0 <issue_comment>username_2: If your point is to parse strings to doubles, I would take a different approach to iterate through the string. First, I would create an iterator splited by space to avoid checking if there is a '.'. And then I would iterate through this new iterator. Something like this ``` #include #include #include #include #include int main() { using namespace std; double num; string variableName = "4 5 7 2.5"; istringstream iss(variableName); vector nums{istream\_iterator{iss}, istream\_iterator{}}; for (int i = 0; i < nums.size(); i++) { num = stod(nums[i]); } return 0; } ``` The advantage of this approach is that it works regardless on how many characters are before and after the decimal point. Upvotes: 2
2018/03/22
691
2,845
<issue_start>username_0: I need to send messages from few thousands of devices to central hub and be able to get live stream of messages for specific device from that hub. So far, Azure Event Hubs seems to the cheapest option in terms of messages count. Event Hub namespace allows to create distinct event hubs in it. 1. Can I create few thousands of such hubs, one per device? 2. Is it a good idea? What could be potential drawbacks? 3. How price is calculated - per namespace or per event hub? (I think per namespace, but I cannot find this info) 4. If per namespace, does it mean that purchased throughput units are shared among all event hubs? If yes, will single event hub namespace with 1000 event hubs will consume same amount of resources as single event hub namespace with single event hub but which receives messages from 1000 devices?<issue_comment>username_1: No, you are limited to 10 Event Hubs per namespace. Event Hub per device is not the recommended usage. Usual scenario is to put all messages from all devices to the same Event Hub, and then you can separate them again in the processing side. This will scale much better. [Event Hubs quotas](https://learn.microsoft.com/en-us/azure/event-hubs/event-hubs-quotas) Upvotes: 4 [selected_answer]<issue_comment>username_2: Azure Event hub is an event ingestion service to which you can send events from the event publishers.The events will be available in the event hub partitions to which different consumer groups subscribe.The partitions can be designed to accept only specific kind of events. You can also create multiple event hubs within an event hub namespace. You can create a maximum of 10 event hubs per Event hub namespace, 32 event hub partitions within an event hub and 20 consumer groups per event hub. So, You can use event hub partitions to separate the events from the event publishers and consume the events in the processing side very easily. The pricing is at event hub level and not at namespace level. Based on the tier you choose you will be provided with variable features like: Basic tier: You can have only 1 consumer group Standard and Dedicated tier: You can create up to 20 consumer groups. For example, If you choose Basic or Standard tier and region as East US, You will be charged $0.028 per million events for ingress and $0.015 per unit/hour for throughput. If you choose Dedicated tier, you will be charged 6.849$ per hour which includes the unlimited ingress and throughput charges, but the minimum hours charged are 4hrs. The main advantage of using dedicated tier is the message retention period is 7 days whereas in basic and standard tier it is just 1 day, and the message size is up to 1 MB whereas in basic and standard tier it is just 256 KB. Refer <https://azure.microsoft.com/en-in/pricing/details/event-hubs/>. Upvotes: 1
2018/03/22
308
1,034
<issue_start>username_0: 1. If ‘ion-slide’ is an Angular component, then verify that it is part of this module. 2. If ‘ion-slide’ is a Web Component then add ‘CUSTOM\_ELEMENTS\_SCHEMA’ to the I’m using ion-slide as part of a component template but getting this error when trying to use that component by importing the ComponentsModule.<issue_comment>username_1: You can use ion-slides as per on its documentation so please prefer this link for ion-sildes : <https://ionicframework.com/docs/api/components/slides/Slides/> Upvotes: -1 <issue_comment>username_2: in your -- component.module.ts import ionic module like this `import { IonicModule } from 'ionic-angular'` then add the it to the imports like this `imports: [IonicModule.forRoot(ComponentsModule)],` Upvotes: 1 <issue_comment>username_3: In case you want a solution for `Ionic-4` you can see at this SO issue: [Ionic 4: 'ion-slide' is not a known element](https://stackoverflow.com/questions/54309846/ionic-4-ion-slide-is-not-a-known-element/54577906#54577906). Upvotes: 0
2018/03/22
1,033
3,194
<issue_start>username_0: I have three variables a, b and c. I have to insert these into an array called `arr`. On calling function click, these variables should get pushed into `arr` array. eg. if i call click with arg 1,2 & 3 then array should be [1,2,3], now when I will pass the args 6,7 then the array should be [1,2,3,6,7]. In the code below, I tried to use `concat` method to get the desired result but i was unsuccessful.Is there any way around this? ```js function click(a,b,c){ var A=a; var B=b; var C=c; var arr=[] var newArr=[A,B,C] arr.concat(newArr); console.log(arr); } click(10,11,12); click(12,13,14); ```<issue_comment>username_1: Declare a global array outside of the function and then after push values into it. ```js var arr = []; function click(a,b,c){ arr.push(a, b, c) } click(10,11,12); click(12,13,14); console.log(arr); ``` Upvotes: 3 [selected_answer]<issue_comment>username_2: The problem with your code is that, you are concatenating to the array but not considering the return value. ``` arr = arr.concat(newArr); ``` Then declare the array global to hold the values for every click. Upvotes: 2 <issue_comment>username_3: ```js function click(arr, a, b, c){ arr.push(a, b, c); console.log(arr); } var arr = []; click(arr, 10, 11, 12); click(arr, 12, 13, 14); ``` Upvotes: 1 <issue_comment>username_4: First of all. You should either define `arr` outside your function or pass `arr` into function as a parameter. Second one. Function `concat` returns concatenated arrays and left original arrays unchanged. So you need something like `arr=arr.concat(newArr)` Upvotes: 0 <issue_comment>username_5: Your Problem here is that the concat function returns a new array instance with the elements: [Check Here](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/concat) ``` function click(a,b,c){ var A=a; var B=b; var C=c; var arr=[] var newArr=[A,B,C] arr = arr.concat(newArr); // concat does not change the ref itself console.log(arr); } click(10,11,12); click(12,13,14); ``` Upvotes: 0 <issue_comment>username_6: If you don't want your `arr` outside your function, another approach is storing your `arr` inside `click` **scope** then call it anywhere (it doesn't pollute your **global scope**): ```js let click = (function (arr) { return function (a,b,c) { var A=a; var B=b; var C=c; var newArr=[A,B,C] arr = arr.concat(newArr); console.log(arr); } })([]) click(10,11,12); click(12,13,14); ``` Upvotes: 1 <issue_comment>username_7: [`Destructuring assignment`](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Destructuring_assignment) can be used to functionally `concatenate` `variables` with `arrays`. See below for a practical example. ```js // Input. const input = [1, 2, 3] // Click. const click = (array, ...arguments) => [...array, ...arguments] // Output. const output = click(input, 4, 5, 6) // Proof. console.log(output) ``` Upvotes: 0
2018/03/22
539
1,583
<issue_start>username_0: My MenuItem: [![menu_setting.xml](https://i.stack.imgur.com/0pGTR.png)](https://i.stack.imgur.com/0pGTR.png) How to right align text of MenuItem in Toolbar, Icon in first next text, like this: [![enter image description here](https://i.stack.imgur.com/3YpeW.png)](https://i.stack.imgur.com/3YpeW.png) code of menu\_setting.xml for MenuItem: ``` xml version="1.0" encoding="utf-8"? ``` Thanks in advance :)<issue_comment>username_1: You have to try like this ``` ``` Upvotes: 0 <issue_comment>username_2: ``` xml version="1.0" encoding="utf-8"? ``` Upvotes: 1 <issue_comment>username_3: You can use girdle for align text of MenuItem in Toolbar: ``` dependencies { compile 'com.lucasurbas:guidelinescompattoolbar:1.0.0' } ``` This is how it should look like: [![enter image description here](https://i.stack.imgur.com/UeIRF.png)](https://i.stack.imgur.com/UeIRF.png) Change your style.xml code like this: ``` ... <!— Toolbar styles --> <item name=”toolbarStyle”>@style/Custom.Widget.Toolbar</item> <item name=”toolbarNavigationButtonStyle”> @style/Custom.Widget.Toolbar.Button.Navigation</item> <item name=”maxButtonHeight”>48dp</item> <item name=”android:paddingLeft”> @dimen/toolbar\_horizontal\_padding</item> <item name=”android:paddingRight”> @dimen/toolbar\_horizontal\_padding</item> <item name=”contentInsetStart”> @dimen/first\_keyline</item> <item name=”android:minWidth”>48dp</item> ``` Here are necessary resources: ``` 24dp 80dp 12dp ``` layout/layout.xml ``` ``` Try this it helps you. Upvotes: 1
2018/03/22
661
2,209
<issue_start>username_0: I am in the process of learning Javascript and came across the `apply` function. I thought I could assign my `apply` value to a variable and then print out the contents of the variable. However, I seem to get undefined and I'm not sure why this is happening... ``` var thisObj = { fullName: 'test', setName: function(firstName, lastName) { this.fullName = firstName + " " + lastName } } function getInput(firstName, lastName, callBack, createdObj) { return callBack.apply(createdObj, [firstName, lastName]); } var thisObjectInstantiated = getInput("Michael", "Jackson", thisObj.setName, thisObj); console.log(thisObjectInstantiated); // Why is this undefined? ``` I noticed also if I change the print to do something like this, my name is properly defined. ``` var thisObjectInstantiated = getInput("Michael", "Jackson", thisObj.setName, thisObj); console.log(thisObj.fullName); // This is defined properly! ``` How come I can't just store the results of the apply within the `thisObjectInstantiated` variable? Thanks.<issue_comment>username_1: You have to try like this ``` ``` Upvotes: 0 <issue_comment>username_2: ``` xml version="1.0" encoding="utf-8"? ``` Upvotes: 1 <issue_comment>username_3: You can use girdle for align text of MenuItem in Toolbar: ``` dependencies { compile 'com.lucasurbas:guidelinescompattoolbar:1.0.0' } ``` This is how it should look like: [![enter image description here](https://i.stack.imgur.com/UeIRF.png)](https://i.stack.imgur.com/UeIRF.png) Change your style.xml code like this: ``` ... <!— Toolbar styles --> <item name=”toolbarStyle”>@style/Custom.Widget.Toolbar</item> <item name=”toolbarNavigationButtonStyle”> @style/Custom.Widget.Toolbar.Button.Navigation</item> <item name=”maxButtonHeight”>48dp</item> <item name=”android:paddingLeft”> @dimen/toolbar\_horizontal\_padding</item> <item name=”android:paddingRight”> @dimen/toolbar\_horizontal\_padding</item> <item name=”contentInsetStart”> @dimen/first\_keyline</item> <item name=”android:minWidth”>48dp</item> ``` Here are necessary resources: ``` 24dp 80dp 12dp ``` layout/layout.xml ``` ``` Try this it helps you. Upvotes: 1
2018/03/22
2,217
7,592
<issue_start>username_0: I was reading [airbnb javascript guide](https://github.com/airbnb/javascript). There is a particular statement, that says: > > Don’t use iterators. Prefer JavaScript’s higher-order functions instead of loops like for-in or for-of. > > > The reason they give for the above statement is: > > This enforces our immutable rule. Dealing with pure functions that return values is easier to reason about than side effects. > > > I could not differentiate between the two coding practices given: ``` const numbers = [1, 2, 3, 4, 5]; // bad let sum = 0; for (let num of numbers) { sum += num; } sum === 15; // good let sum = 0; numbers.forEach((num) => { sum += num; }); sum === 15; ``` Could anyone explain, why should `forEach` be preferred over regular `for` loop? How does it really make a difference? Are there any side effects of using the regular `iterators`?<issue_comment>username_1: That makes no sense. `forEach` should never be preferred. Yes, using `map` and `reduce` and `filter` is much cleaner than a loop that uses side effects to manipulate something. But when you need to use side effects for some reason, then `for … in` and `for … of` are the idiomatic loop constructs. They are easier to read and [just as fast](https://youtu.be/EhpmNyR2Za0?t=17m15s), and emphasise that you have a loop body with side effects in contrast to `forEach` which looks functional with its callback but isn't. Other advantages over `forEach` include that you can use `const` for the iterated element, and can use arbitrary control structures (`return`, [`break`](https://stackoverflow.com/q/2641347/1048572), `continue`, [`yield`](https://stackoverflow.com/q/34104231/1048572), [`await`](https://stackoverflow.com/q/37576685/1048572)) in the loop body. Upvotes: 4 <issue_comment>username_2: see the [Performance of foreach and forloop](https://jsperf.com/foreach-and-for) here only for readablity we are using foreach. Other than that for loop is prefered for browser compatibality ,performance and native feel. Upvotes: -1 <issue_comment>username_3: Majority of the time, the Airbnb styleguide tries to keep things consistent. This doesn't mean that there are never reasons to use a for loop or a for-in loop, like suppose you want to break out of the loop out early. The immutability comes into play when using a for loop to the change the value of something. Like reducing an array to an integer or mapping over elements to generate a new array. Using a built-in `map`, `reduce`, or `filter`, will not directly mutate the array's value directly so it's preferred. Using `forEach` over a for/for-in loop enforces the style consistency of using a higher order function over an iterator, so I believe that's why it's being recommended. Upvotes: 2 <issue_comment>username_4: This reasoning in Airbnb style guide applies to array methods that are used for immutability, which are `filter`, `map`, `reduce`, etc. but not `forEach`: > > This enforces our immutable rule. Dealing with pure functions that return values is easier to reason about than side effects. > > > So the comparison is more like: ``` // bad let sum = 0; for (let num of numbers) { sum += num; } sum === 15; // bad let sum = 0; numbers.forEach((num) => { sum += num; }); sum === 15; // good const sum = numbers.reduce((num, sum) => sum += num, 0); sum === 15; ``` Generally, `for > forEach > for..of > for..in` in terms of performance. This relationship is uniform in almost all engines but *may vary for different array lengths*. `forEach` is the one that was significantly improved in latest Chrome/V8 (almost twice, based on [this](https://jsperf.com/for-vs-forEach) synthetic test): [![](https://i.stack.imgur.com/Wy0w2.png)](https://i.stack.imgur.com/Wy0w2.png) [![](https://i.stack.imgur.com/clN8m.png)](https://i.stack.imgur.com/clN8m.png) Since all of them are fast, choosing less appropriate loop method just because of performance reasons can be considered preliminary optimization, unless proven otherwise. The main benefits of `forEach` in comparison with `for..of` is that the former be polyfilled even in ES3 and provides both value and index, while the latter is more readable but should be transpiled in ES5 and lower. `forEach` has known pitfalls that make it unsuitable in some situations that can be properly handled with `for` or `for..of`: * callback function creates new context (can be addressed with arrow function) * doesn't support iterators * doesn't support generator `yield` and `async..await` * doesn't provide a proper way to terminate a loop early with `break` Upvotes: 6 [selected_answer]<issue_comment>username_5: The below is a list of advantages I see between the two. ### Advantages of "for of": 1. In dev-tools, you can see the value of all variables in the function just by hovering. (with `forEach`, you need to change which stack-entry you're in to see variables not accessed within the loop function) 2. Works on all iterables (not just arrays). 3. You can use `break` or `continue` directly, instead of needing to use the `some` function and doing `return true`, which reduces readability. (can be [emulated](https://stackoverflow.com/a/59340513/2441655)) 4. You can use `await` within the loop, with the async/await context preserved. (can be [emulated](https://stackoverflow.com/a/59340513/2441655)) 5. Code within the loops can directly return out of the overall function. (can be [emulated](https://stackoverflow.com/a/59340513/2441655)) ### Advantages of "forEach" 1. It's a function call like `map` and `filter`, so it's easier to convert between the two. 2. It doesn't need transpilation to be used in pre-es2015 contexts (just needs a simple polyfill). This also means you don't have to deal with odd "error catching" from the transpilation loop, which makes debugging in dev-tools harder. (depends on transpilation tool/options) 3. You can make a "custom forEach" method with added features. ([here](https://stackoverflow.com/a/59340513/2441655) is a version that adds support for `break`, `continue`, `return`, and even `async`/`await`) 4. It's a bit shorter. (`for-of` is 5 characters more if using `const` -- 3 if using `let`/`var`) Upvotes: 2 <issue_comment>username_6: `forEach` **iterations cannot be delayed** by `await`. This means you cannot use `forEach` to pipeline, let's say, web requests to a server. Also `forEach` is not present on `async Iterables`. Consider the following cases: ### 1 ```js let delayed = (value)=>new Promise(resolve => setTimeout(() => resolve(value), 2000)); (async ()=>{ for(el of ['d','e','f'])console.log(await delayed(el)) })(); (async()=>{ ['a','b','c'].forEach(async (el)=>console.log(await delayed(el))) })(); ``` Result: ``` d a b c e f ``` The elements of `[d,e,f]` array are printed **every two seconds**. The elements of `[a,b,c]` array are printed **all together after two seconds**. ### 2 ```js let delayed = (value)=>new Promise(resolve => setTimeout(() => resolve(value), 2000)); async function* toDelayedIterable(array) { for(a of array)yield (await delayed(a)) } for await(el of toDelayedIterable(['d','e','f']))console.log(el) toDelayedIterable(['a', 'b', 'c']).forEach(async(el)=>console.log(await el)); ``` Result: ``` d e f Uncaught TypeError: toDelayedIterable(...).forEach is not a function ``` The elements of `[d,e,f]` array are **printed every two seconds**. Error when trying to access `forEach` on the `asyncIterator` of `[a,b,c]` array. Upvotes: 2
2018/03/22
1,186
5,063
<issue_start>username_0: Working on a requirement to upload images to AWS instance. UI and service is separated and connects via REST. Service is in nodejs. from UI we are making a ajax call to backend service to upload the images to AWS. The problem: When I upload the images via POSTMAN request, I can see that response as uploaded with files properly uploaded in AWS. Whereas when I upload images via AJAX call, I get no response in browser, and also the images are not uploaded in aws. Below is the piece of code in ajax: ``` var formData = new FormData(); formData.append('image', $('#tx_file_programa')[0]); $.ajax({ method: 'POST', type: "POST", url: 'http://10.0.0.95:9999/photo/1', contentType: false, processData: false, async: false, cache: false, beforeSend: function (xhr) { xhr.setRequestHeader('Authorization', 'Bearer ' + access_token ); }, data: formData, success: function (data) { console.log('response from server is : ', data); } //dataType: 'json' }); ``` This is the backend service. ``` server.post('/photo/:count', function (req, res) { if (req.getContentType() == 'multipart/form-data') { var form = new formidable.IncomingForm(), files = [], fields = []; var result = []; var noOfFiles = req.params.count; var count = 0; console.log('noOfFiles', noOfFiles); form.on('field', function(field, value) { fields.push([field, value]); console.log(fields); }) form.on('progress', function(bytesReceived, bytesExpected) { console.log('err'); }); form.on('error', function(err) { console.log('err',err); }); form.on('aborted', function() { console.log('aborted', arguments); }); new Promise(function(resolve, reject) { var result = []; form.onPart = function (part) { var data = null; const params = { Bucket: 'xxxxx', Key: uuidv4() + part.filename, ACL: 'public-read' }; var upload = s3Stream.upload(params); upload.on('error', function (error) { console.log('errr', error); }); upload.on('part', function (details) { console.log('part', details); }); upload.on('uploaded', function (details) { let extension = details.Location.split('.'); if(['JPG', 'PNG'].indexOf(extension[extension.length - 1].toUpperCase()) > -1) { var ext = extension[extension.length - 1]; count++; result.push(details.Location); if(count == noOfFiles) { resolve(result); } } }); part.pipe(upload); } }).then(function(result){ console.log('end', result); res.writeHead(200, {'content-type': 'text/plain'}); res.end('received files:\n\n ' + util.inspect(result)); }) form.parse(req, function (err, fields, files) { }) return; } else { BadRequestResponse(res, "Invalid request type!"); } }) ```<issue_comment>username_1: @user3336194, Can you check with this, this is working thins ``` var appIconFormData = null $(":file").change(function () { var file = this.files[0], name = file.name, size = file.size, type = file.type; var imageType = new Array("image/png", "image/jpeg", "image/gif", "image/bmp"); if (jQuery.inArray(type, imageType) == -1) { return false; } else { appIconFormData = new FormData(); appIconFormData.append('appimage', $('input[type=file]')[0].files[0]); } }); $.ajax({ url: 'your/api/destination/url', type: 'POST', data: appIconFormData, cache: false, contentType: false, processData: false, success: function (data) { console.log(data) }, error: function (e) { } }); ``` Upvotes: 2 [selected_answer]<issue_comment>username_2: I think the way you are sending formdata is not correct. Try these 2 ways: You can give your whole form to FormData() for processing ``` var form = $('form')[0]; // You need to use standard javascript object here var formData = new FormData(form); ``` or specify exact data for FormData() ``` var formData = new FormData(); // Attach file formData.append('image', $('input[type=file]')[0].files[0]); ``` Upvotes: 0
2018/03/22
202
671
<issue_start>username_0: how to compare joining date with current date and if it is less than or equal to 45 days then select those details and display in oracle sql, what to do if joining date and current date in different format like (joining date `12/03/2015` and current date `01-MAR-17`)?<issue_comment>username_1: That would be something like this (if you need rows for those who joined 45 days or more ago): ``` select * from your_table where joining_date <= trunc(sysdate) - 45; ``` Upvotes: 0 <issue_comment>username_2: I luckily got output, query is `select COL_NAME from TABLE_NAME where (to_date(SYSDATE)- to_date(COL_NAME,'dd/mm/yyyy'))<=60` Upvotes: -1
2018/03/22
1,008
3,273
<issue_start>username_0: I have a table that is not currently clickable. On row click, I would like to go to a detail page from this table, passing the id value in the process. I understand I need to make an href on the table row and somehow pass the id value on click, but am not clear on how to do this. Relevant table and php: ``` || id | Organization | xxx | xxx | xxx | xxx | | --- | --- | --- | --- | --- | --- | php $servername = "xxx"; $username = "xxx"; $password = "xxx"; $dbname = "xxx"; // Create connection $conn = new mysqli($servername, $username, $password, $dbname); // Check connection if ($conn-connect\_error) { die("Connection failed: " . $conn->connect\_error); }else{ echo 'console.log("Connection successful!")'; } $SELECT = mysqli\_query($conn,"SELECT \* FROM `organization`"); if($SELECT != false) { while($rows = mysqli\_fetch\_array($SELECT)) { echo " | ".$rows["id"]." | ".$rows["name"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | "; } }else{ echo " | Something went wrong with the query | "; } ?> ``` How do I make my table rows clickable (to go to the detail page) and how do I pass the id value from the table on click to the detail page?<issue_comment>username_1: you need to make `href` tag and pass the `id` like this ``` [click](paganame?id=<?php echo $id; ?>) ``` in your case it should be ``` [">click](detail.php?id=<?php echo $rows[) | ``` your while loop should be like this ``` while($rows = mysqli_fetch_array($SELECT)){ ?> | [">click](paganame?id=<?php echo $rows[) | php echo $rows["name"]; ? | php echo $rows["xxx"]; ? | php echo $rows["xxx"]; ? | php echo $rows["xxx"]; ? | php echo $rows["xxx"]; ? | ".$rows["xxx"]." | php } </code ``` Upvotes: 3 [selected_answer]<issue_comment>username_2: ``` [".$rows["xxx"]."](nextpage.php?id=<?php echo $id; ?>) | ``` Upvotes: 0 <issue_comment>username_3: ``` | id | Organization | xxx | xxx | xxx | xxx | | --- | --- | --- | --- | --- | --- | php $servername = "xxx"; $username = "xxx"; $password = "xxx"; $dbname = "xxx"; // Create connection $conn = new mysqli($servername, $username, $password, $dbname); // Check connection if ($conn-connect\_error) { die("Connection failed: " . $conn->connect\_error); }else{ echo 'console.log("Connection successful!")'; } $SELECT = mysqli\_query($conn,"SELECT \* FROM `organization`"); if($SELECT != false) { while($rows = mysqli\_fetch\_array($SELECT)) { echo " | ".$rows["id"]." | ".$rows["name"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | "; } }else{ echo " | Something went wrong with the query | "; } ?> ``` You can set onclick() function to your tag using plain javascript.. try this. Upvotes: 0 <issue_comment>username_4: You need to change your while loop as below: add `window.location` on tr click ``` php while($rows = mysqli_fetch_array($SELECT)) { echo " <tr onclick=\"window.location='detail.php?id=".$rows["id"]."'\" ".$rows["id"]." | ".$rows["name"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | ".$rows["xxx"]." | "; }?> ``` Upvotes: 0
2018/03/22
643
2,087
<issue_start>username_0: I have very little knowledge about C and I can't get this simple task to work: ``` #include #include void load\_hex\_fw() { char \*warea = getenv("WORKAREA"); char hex[] = "/path/to/fw.hex"; char hexfile; // several trials done here (\*hexfile, hexfile[500], etc.) strcat(hexfile, \*warea); strcat(hexfile, hex); printf("## %s\n", hexfile); FILE \*file = fopen(hexfile, "r"); fclose(file); } ``` The above code basically opens a file for reading. But since the absolute path of the hex file is very long (and I'm also thinking of reusing this function in the future), I need to feed `fopen()` with a flexible `hexfile` variable. Googling string concatenation always gives me `strcat()`, or `strncat`, but I'm always getting a segmentation fault. I'm getting confused with pointers and references. Any help is greatly appreciated. Thanks in advance!<issue_comment>username_1: I have added some corrections and comments in your code, this should help you: ``` void load_hex_fw() { char *warea = getenv("WORKAREA"); //check if getenv returns null if(warea == NULL) { return; } char hex[] = "/path/to/fw.hex"; char *hexfile = NULL;//you need char buffer to store string hexfile = malloc(strlen(warea) + stren(hex) + 1);//ENsure hexfile holds full filename strcpy(hexfile,warea); //assuming you hold path in warea strcat(hexfile, hex);//Assuming ypu hold filename in hex printf("## %s\n", hexfile); FILE *file = fopen(hexfile, "r");// check if fopen returns NULL fclose(file); free(hexfile); } ``` Upvotes: 4 [selected_answer]<issue_comment>username_2: `asprintf` allocates memory for you ``` #define _GNU_SOURCE #include #include void main() { char \*warea = getenv("WORKAREA"); if (!warea) { warea = "default"; // or exit } char hex[] = "/path/to/fw.hex"; char \*hexfile; asprintf(&hexfile, "%s%s", warea, hex); printf("## %s\n", hexfile); // ... free(hexfile); } ``` it accepts `0` but result is hardly what you want for `fopen` ``` ## (null)/path/to/fw.hex ``` Upvotes: 0
2018/03/22
543
2,148
<issue_start>username_0: I am experimenting with Go on AWS lambda, and i found that each function requires a binary to be uploaded for execution. My question is that, is it possible to have a single binary that can have two different `Handler` functions, which can be loaded by two different lambda functions. for example ``` func Handler(request events.APIGatewayProxyRequest) (events.APIGatewayProxyResponse, error) { fmt.Println("Received body in Handler 1: ", request.Body) return events.APIGatewayProxyResponse{Body: request.Body, StatusCode: 200}, nil } func Handler1(request events.APIGatewayProxyRequest) (events.APIGatewayProxyResponse, error) { fmt.Println("Received body in Handler 2: ", request.Body) return events.APIGatewayProxyResponse{Body: request.Body, StatusCode: 200}, nil } func EndPoint1() { lambda.Start(Handler) } func EndPoint2() { lambda.Start(Handler1) } ``` and calling the `EndPoints` in `main` in such a way that it registers both the `EndPoints` and the same binary would be uploaded to both the functions `MyFunction1` and `MyFunction2`. I understand that having two different binary is good because it reduces the load/size of each function. But this is just an experimentation. Thanks in advance :)<issue_comment>username_1: I believe it is not possible since Lambda console says the handler is the name of the executable file: > > Handler: The executable file name value. For example, "myHandler" would call the main function in the package “main” of the myHandler executable program. > > > So one single executable file is unable to host two different handlers. Upvotes: 3 [selected_answer]<issue_comment>username_2: you can do the workaround to have same executable to upload to two different lambda like following ``` func main() { switch cfg.LambdaCommand { case "select_lambda_1": lambda1handler() case "select_lambda_2": lambda2handler() ``` Upvotes: 1 <issue_comment>username_3: I've had success by adding an environment variable to the functions in the template.yaml, and making the main() check the variable and call the appropriate handler. Upvotes: 1
2018/03/22
1,404
4,217
<issue_start>username_0: I have two Datatables in my C# Windows Forms application; ``` DataTable dtProduct; DataTable dtDetails; ``` `dtProduct` is being populated from `MS Access` and `dtDetails` is from `MySql`, those have following like records **dtProduct** ``` code | pNameOrignal ---------------------- 101 | product one 220 | product two 65 | product three 104 | product four 221 | product five 654 | product six ``` **dtDetails** ``` id | tid | code | pNameLocal | qty | price ------------------------------------------------- 1 |101 | 101 | some_local_name | 2 |20.36 2 |102 | 202 | some_local_name | 1 |15.30 // same entry as same tid and all same 3 |102 | 202 | some_local_name | 1 |15.30 //same entry as same tid and all same 4 |102 | 202 | some_local_name | 1 |10.00 //same entry as same tid but price is different 5 |102 | 202 | some_local_name | 2 |15.30 //same entry as same tid but different qty 6 |102 | 202 | some_local_name2 | 1 |15.30 //same entry as same tid but pNameLocal different 7 |103 | 202 | some_local_name | 1 |15.30 // different entry of same product see different tid 8 |104 | 65 | some_local_name | 5 |05.00 9 |105 | 700 | some_local_name | 2 |07.01 // does not exist in "dtProduct" ``` I am currently looping through all records of `dtdetails` with `dtProduct` to replace original name of product `pNameOrignal` from `dtProduct` on basis of uniqueness of `code` column in both tables. my existing code look like this; ``` dtDetails.Rows .Cast() .Join ( dtProduct.Rows.Cast(), r1 => new { p1 = r1["code"], p2 = r1["code"] }, r2 => new { p1 = r2["code"], p2 = r2["code"] }, (r1, r2) => new { r1, r2 } ) .ToList() .ForEach(o => o.r1.SetField("pNameLocal", o.r2["pNameOrignal"])); ``` **What is now required** 1. need to merge or make one row for same entries with **same tid and all same** to single row by making **qty to 2 (as in current records)** by adding both and **price to 30.60 (as in current records)** **Explanation:** multiple records which are exactly same (duplicates) merged as one row by retaining their qty and price as per number of records. 2. entry against **tid = 105** which has `code = 700` does not exist in `dtProduct`, it will not replace `pOrignalName` from there, will keep same name as currently my code do, I need to add or concatenate "NotFound" with that name.<issue_comment>username_1: For your mentioned point 2, this can be done: ``` foreach (DataRow item in dtDetails.Rows) { var pNameOriginal = dtProduct.AsEnumerable().FirstOrDefault(i => i.Field("code") == item.Field("code")); var globalName = "NotFound"; if (pNameOriginal != null && !string.IsNullOrEmpty(Convert.ToString(pNameOriginal.ItemArray[1]))) { globalName = Convert.ToString(pNameOriginal.ItemArray[1]); } item["pNameLocal"] += globalName; } ``` I am still not clear what do you want in point 1. How can the count be 2 for a group by in your case. Can you explain by taking tid 102 ? Upvotes: 0 <issue_comment>username_2: For second point replacing the name with matched records and adding "NotFound" for non matched records. ``` var k = (from d in dtDetails.AsEnumerable() join k1 in dtProduct.AsEnumerable() on d["code"] equals k1["code"] into dk1 from subset in dk1.DefaultIfEmpty() select new { d, subset }).ToList(); foreach (var m in k) { if (m.subset != null) { if (string.Equals(m.d["code"], m.subset["code"])) { m.d.SetField("pNameLocal", m.subset["pNameOrignal"]); } } else { m.d.SetField("pNameLocal", m.d["pNameLocal"] +"NotFound"); } } ``` for first one try this ``` dtDetails = dtDetails.AsEnumerable() .GroupBy(r => new { Col1 = r["tid"], Col2 = r["code"], Col3 = r["pNameLocal"] }) .Select(g => { var row1 = dtDetails.NewRow(); row1["tid"] = g.Key.Col1; row1["code"] = g.Key.Col2; row1["pNameLocal"] = g.Key.Col3; row1["qty"] = g.Sum(r => r.Field("qty")); row1["price"] = g.Sum(r => r.Field("price")); return row1; }) .CopyToDataTable(); ``` Upvotes: 2 [selected_answer]
2018/03/22
398
1,265
<issue_start>username_0: I've read somewhere that `cljs.reader/read-string` attaches metadata to the forms that it creates, like the position in the string read. Is it true? Is it documented somewhere? Thanks.<issue_comment>username_1: `read-string` doesn't add metadata to the returned form: ``` => (meta (cljs.reader/read-string "(prn 0)")) nil ``` Your compiled functions/defs/vars will have this type of metadata though: ``` => (meta #'my-fn) {:ns app.core, :name my-fn, :file "src/cljs/app/core.cljs", :end-column 20, :column 1, :line 125, :end-line 125, :arglists ([{:keys [x]}]), :doc nil, :test nil} ``` Upvotes: 2 [selected_answer]<issue_comment>username_2: I don't know about `cljs.reader`, but if you use `clojure.tools.reader`, you can do this. It's not particularly well documented, but you can see how by looking at the tests: <https://github.com/clojure/tools.reader/blob/master/src/test/cljs/cljs/tools/metadata_test.cljs#L62-L70> In short, you have to pass the string to `clojure.tools.reader.reader-types/indexing-push-back-reader`, and from there to `clojure.tools.reader/read`. (In the test/example above, they first pass to `reader-types/string-push-back-reader`, but this doesn't appear to be strictly necessary). Upvotes: 0
2018/03/22
689
2,269
<issue_start>username_0: How to count radio buttons with "green" values in my code snippet below? ```html | **President Staff** | | | | Corporate Planning & Program Office | | | | Acquisitiom & Aircraft Management | | | | Corporate Quality, Safety & Environmentak Management | | | | Corporate Secretary | | | | Internal Audit | | | ```<issue_comment>username_1: Using [CSS attribute selector](https://developer.mozilla.org/en-US/docs/Web/CSS/Attribute_selectors), `input[value="green"]`, get all those with `.querySelectorAll()`. It will result in an array, so you can read its `length` property. To be more specific, you can combine it with `[type="radio"]` too: ``` input[type="radio"][value="green"] ``` --- **UPDATED:** As requested, to select checked only, use CSS [`:checked`](https://developer.mozilla.org/en-US/docs/Web/CSS/:checked) ``` input[value="green"][type="radio"]:checked ``` ```js console.log(document.querySelectorAll('input[value="green"][type="radio"]:checked').length) ``` ```html | **President Staff** | | | | Corporate Planning & Program Office | | | | Acquisitiom & Aircraft Management | | | | Corporate Quality, Safety & Environmentak Management | | | | Corporate Secretary | | | | Internal Audit | | | ``` Upvotes: 2 <issue_comment>username_2: Try this using Document QuerySelector attribute as mentioned by @username_1, This will log selected Green and Red Radios ```js window.addEventListener("load", function() { var radioOption = document.querySelectorAll('input[type=radio][name^="jabatan"]'); radioOption.forEach(function(e) { e.addEventListener("click", function() { console.clear(); console.log('Green : ' + document.querySelectorAll('input[type=radio][value="green"]:checked').length + '\nRed : ' + document.querySelectorAll('input[type=radio][value="red"]:checked').length); }); }); }); ``` ```html | | | | | --- | --- | --- | | **President Staff** | | | | Corporate Planning & Program Office | | | | Acquisitiom & Aircraft Management | | | | Corporate Quality, Safety & Environmentak Management | | | | Corporate Secretary | | | | Internal Audit | | | function green(i) {} function red(i) {} ``` Upvotes: 1 [selected_answer]
2018/03/22
1,958
6,558
<issue_start>username_0: I'm porting a program from `XAML/C#` to `HTML/CSS/JavaScript`. I have tabbed sections which rearrange the focused tab's row to the bottom when clicked. This is automatically performed by the `TabControl` in XAML. --- **XAML/C#** General Focused [![tabs 1](https://i.stack.imgur.com/pGMEn.png)](https://i.stack.imgur.com/pGMEn.png) Video Focused [![tabs 2](https://i.stack.imgur.com/peT6U.png)](https://i.stack.imgur.com/peT6U.png) --- **HTML/CSS/JavaScript** [![tabs 3](https://i.stack.imgur.com/XEVU5.png)](https://i.stack.imgur.com/XEVU5.png) How can I do the same with JavaScript? I'm using this script <https://www.w3schools.com/w3css/w3css_tabulators.asp> ```js // Display Tab Section function OpenTab(tabName) { var i; var x = document.getElementsByClassName("tabSection"); for (i = 0; i < x.length; i++) { x[i].style.display = "none"; } document.getElementById(tabName).style.display = "block"; } ``` ```css .btnTab { width: 33.33%; display: block; float: left; background: #020f31; color: #fff; padding: 0.2em; border-top: 1px solid #0080cb; border-right: 1px solid #0080cb; border-bottom: none; border-left: 1px solid #0080cb; cursor: pointer; } ``` ```html General Stream Display Video Audio Subtitles General ... Stream ... Display ... Video ... Audio ... Subtitles ... ``` [Fiddle Link](https://jsfiddle.net/kq183ato/)<issue_comment>username_1: This can be achieved by adding a bit more code to `OpenTab()`. First of all, to check whether a button in the top row or bottom row was pressed, you may add classes `row1` to the first row of buttons and `row2` to the second row. Then, you can check which button was pressed in `OpenTab()` by passing in `this` as an additional parameter: `onclick="OpenTab(this, 'General')`. With these changes to HTML, the javascript can be changed to change the button pressed into account. In the code below, each `if` statement checks that the current button is in a particular row with `elem.classList.contains("rowX")` and that the row is the top row with `parent.firstElementChild.classList.contains("rowX")`. It then loops through the number of tabs in the row (amount of tabs can vary) and places them in the beginning of the `#sectionTabs` div. ``` function OpenTab(elem, tabName) { // Note that `elem` is where `this` is passed // Your original code var i; var x = document.getElementsByClassName("tabSection"); for (i = 0; i < x.length; i++) { x[i].style.display = "none"; } document.getElementById(tabName).style.display = "block"; // Additional code row1_elem = document.getElementsByClassName("row1"); // initially top row row2_elem = document.getElementsByClassName("row2"); // initially bottom row parent = document.getElementById("sectionTabs"); // check that button in top row was clicked if (elem.classList.contains("row1") == 1 && parent.firstElementChild.classList.contains("row1") == 1) { // move elements from bottom row up for (var j = 0; j < row2_elem.length; j++) { parent.insertBefore(row2_elem[row2_elem.length-1], parent.firstChild); } // check that button in top row was clicked } else if (elem.classList.contains("row2") == 1 && parent.firstElementChild.classList.contains("row2") == 1) { // move elements from bottom row up for (var j = 0; j < row1_elem.length; j++) { parent.insertBefore(row1_elem[row1_elem.length-1], parent.firstChild); } } } ``` A jsfiddle is also available: <https://jsfiddle.net/o687eLyb/> Note that you could also wrap the rows into separate divs with IDs `rowX` and use slightly different logic to check which row was pressed; however, this answer has the benefit that it keeps HTML structure the same. Upvotes: 1 <issue_comment>username_2: Well if you can change markup a little bit like wrapping the first row and second row of the buttons on different div... Also try to avoid inline javascript and use `data-attributes` here **Steps:** * create a new array instance from iterable object `y` usinf `Array.from` * add a click event on all the buttons using `addEventListener` * hide all the elements containing `tabSection` class and also remove `active` class from all the buttons using for loop. * get the `data-tab` value from clicked button and set `display:block` to the respected tab and also add `active` class to the current button. * now for switching the `.first` and `.second` div up and down use `insertBefore` inside the `if` condition to compare the index of the clicked button ```js var x = document.getElementsByClassName("tabSection"); var y = document.getElementsByClassName("btnTab");; var a = document.querySelector(".first"); var b = document.querySelector(".second") var p = document.getElementById("sectionTabs"); Array.from(y).forEach(function(elem, index) { elem.addEventListener("click", function() { for (var i = 0; i < x.length; i++) { x[i].style.display = "none"; y[i].classList.remove("active"); } var tab = this.getAttribute("data-tab"); document.getElementById(tab).style.display = "block"; this.classList.add("active"); if (index < 3) { p.insertBefore(b, p.childNodes[0]) } else { p.insertBefore(a, p.childNodes[0]) } }) }) ``` ```css .btnTab { width: 33.33%; display: block; float: left; background: #020f31; color: #fff; padding: 0.2em; border-top: 1px solid #0080cb; border-right: 1px solid #0080cb; border-bottom: none; border-left: 1px solid #0080cb; cursor: pointer; outline: none; } .btnTab.active { background: red; } ``` ```html General Stream Display Video Audio Subtitles General ... Stream ... Display ... Video ... Audio ... Subtitles ... ``` **Reference Link:** * [Array.from](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/from) * [forEach()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/forEach) * [element.addEventListener](https://developer.mozilla.org/en-US/docs/Web/API/EventTarget/addEventListener) * [element.classList](https://developer.mozilla.org/en-US/docs/Web/API/Element/classList) * [element.style](https://developer.mozilla.org/en-US/docs/Web/API/HTMLElement/style) * [node.insertBefore](https://developer.mozilla.org/en-US/docs/Web/API/Node/insertBefore) Upvotes: 3 [selected_answer]
2018/03/22
1,608
5,809
<issue_start>username_0: I have one requirement for change password. There is a question dropdown and a textbox for answers. This will be generated dynamically in loop. I am able to generate it with below code: ```html {{myQuest.SecurityQuestion}} ``` I am using two way binding. The problem is that i cannot identify which answer belongs to which question. Below is the model where i have to update the selected answer. ```js {QuestionID: "0", SecurityQuestion: "What city were you born in?", SecurityAns: null} {QuestionID: "1", SecurityQuestion: "What is the name of your best friend?", SecurityAns: null} {QuestionID: "2", SecurityQuestion: "What is the name of your pet?", SecurityAns: null} ```<issue_comment>username_1: This can be achieved by adding a bit more code to `OpenTab()`. First of all, to check whether a button in the top row or bottom row was pressed, you may add classes `row1` to the first row of buttons and `row2` to the second row. Then, you can check which button was pressed in `OpenTab()` by passing in `this` as an additional parameter: `onclick="OpenTab(this, 'General')`. With these changes to HTML, the javascript can be changed to change the button pressed into account. In the code below, each `if` statement checks that the current button is in a particular row with `elem.classList.contains("rowX")` and that the row is the top row with `parent.firstElementChild.classList.contains("rowX")`. It then loops through the number of tabs in the row (amount of tabs can vary) and places them in the beginning of the `#sectionTabs` div. ``` function OpenTab(elem, tabName) { // Note that `elem` is where `this` is passed // Your original code var i; var x = document.getElementsByClassName("tabSection"); for (i = 0; i < x.length; i++) { x[i].style.display = "none"; } document.getElementById(tabName).style.display = "block"; // Additional code row1_elem = document.getElementsByClassName("row1"); // initially top row row2_elem = document.getElementsByClassName("row2"); // initially bottom row parent = document.getElementById("sectionTabs"); // check that button in top row was clicked if (elem.classList.contains("row1") == 1 && parent.firstElementChild.classList.contains("row1") == 1) { // move elements from bottom row up for (var j = 0; j < row2_elem.length; j++) { parent.insertBefore(row2_elem[row2_elem.length-1], parent.firstChild); } // check that button in top row was clicked } else if (elem.classList.contains("row2") == 1 && parent.firstElementChild.classList.contains("row2") == 1) { // move elements from bottom row up for (var j = 0; j < row1_elem.length; j++) { parent.insertBefore(row1_elem[row1_elem.length-1], parent.firstChild); } } } ``` A jsfiddle is also available: <https://jsfiddle.net/o687eLyb/> Note that you could also wrap the rows into separate divs with IDs `rowX` and use slightly different logic to check which row was pressed; however, this answer has the benefit that it keeps HTML structure the same. Upvotes: 1 <issue_comment>username_2: Well if you can change markup a little bit like wrapping the first row and second row of the buttons on different div... Also try to avoid inline javascript and use `data-attributes` here **Steps:** * create a new array instance from iterable object `y` usinf `Array.from` * add a click event on all the buttons using `addEventListener` * hide all the elements containing `tabSection` class and also remove `active` class from all the buttons using for loop. * get the `data-tab` value from clicked button and set `display:block` to the respected tab and also add `active` class to the current button. * now for switching the `.first` and `.second` div up and down use `insertBefore` inside the `if` condition to compare the index of the clicked button ```js var x = document.getElementsByClassName("tabSection"); var y = document.getElementsByClassName("btnTab");; var a = document.querySelector(".first"); var b = document.querySelector(".second") var p = document.getElementById("sectionTabs"); Array.from(y).forEach(function(elem, index) { elem.addEventListener("click", function() { for (var i = 0; i < x.length; i++) { x[i].style.display = "none"; y[i].classList.remove("active"); } var tab = this.getAttribute("data-tab"); document.getElementById(tab).style.display = "block"; this.classList.add("active"); if (index < 3) { p.insertBefore(b, p.childNodes[0]) } else { p.insertBefore(a, p.childNodes[0]) } }) }) ``` ```css .btnTab { width: 33.33%; display: block; float: left; background: #020f31; color: #fff; padding: 0.2em; border-top: 1px solid #0080cb; border-right: 1px solid #0080cb; border-bottom: none; border-left: 1px solid #0080cb; cursor: pointer; outline: none; } .btnTab.active { background: red; } ``` ```html General Stream Display Video Audio Subtitles General ... Stream ... Display ... Video ... Audio ... Subtitles ... ``` **Reference Link:** * [Array.from](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/from) * [forEach()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/forEach) * [element.addEventListener](https://developer.mozilla.org/en-US/docs/Web/API/EventTarget/addEventListener) * [element.classList](https://developer.mozilla.org/en-US/docs/Web/API/Element/classList) * [element.style](https://developer.mozilla.org/en-US/docs/Web/API/HTMLElement/style) * [node.insertBefore](https://developer.mozilla.org/en-US/docs/Web/API/Node/insertBefore) Upvotes: 3 [selected_answer]
2018/03/22
1,171
5,286
<issue_start>username_0: I am leading a large team of azure functions developers. So, most of the examples quoted by Microsoft using the azure web interface don't work for me. I am developing Azure functions locally using emulators to save some costs. I publish all my functions through visual studio into my integration environment. I am developing a bunch of azure functions that need the api gateway to handle the authentication workflows using Azure AD B2C. Now, there's no api gateway emulator or an Azure AD B2C emulator that I can run locally. My authentication workflows involve intercepting requests to the api, redirecting them to AD B2C for authentication and the subsequent addition of the auth-token to the http header and then invoking the http-triggered azure functions. Now, the question becomes, how do I test authentication workflows? How can I setup the api gateway to register my functions running locally in visual studio as api endpoint for my api gateway in the cloud?<issue_comment>username_1: What I did: 1. Added an "authorize" API that handles general-purpose authorization against foreign authorities. This API returns my own JWT with my own custom claims that lasts for a some limited amount of time. 2. Changed all of my other API's to use my custom JWT. Advantages: * Super easy to test locally. I just add #if DEBUG sections to the authorization API to skip normal authorization and give me a JWT of my design. * I can put whatever I want in the claim, so I use it as a cache to reduce external authorization calls. Upvotes: 2 [selected_answer]<issue_comment>username_2: Here is another alternative if you are developing a SPA that uses Azure-AD or Azure B2C via [Easy Auth](https://learn.microsoft.com/en-us/azure/app-service/configure-authentication-provider-aad?toc=%2Fazure%2Fazure-functions%2Ftoc.json#-configure-with-express-settings), which will do your JWT token validation for you and leaving you to do the following: Your SPA is going to get a token even locally so do the following: 1. Inject the [ClaimPrincipal](https://learn.microsoft.com/en-us/azure/azure-functions/functions-bindings-http-webhook-trigger?tabs=csharp#working-with-client-identities) into your function 2. Check if the user is authenticated (e.g., principal.Identity.IsAuthenticated) and return UnauthorizedResult if they are not. 3. Check for an issuer claim. If the principal has one, it went through Express Auth., your JWT token was validated by it and you can get your claims from it immediately. 4. If there is no issuer, it's local development and you can turn to the header and pull the JWT token out yourself and get your claims. You could also IFDEF this out for conditional build so that your doubly sure that it's local development. Here is some example code of pulling the JWT token out of the header (HttpRequest is injected into each function): ``` private JwtSecurityToken ReadJwtTokenFromHeader(HttpRequest req) { if (req.Headers.ContainsKey("Authorization")) { var authHeader = req.Headers["Authorization"]; var headerValue = AuthenticationHeaderValue.Parse(authHeader); var handler = new JwtSecurityTokenHandler(); return handler.ReadJwtToken(headerValue.Parameter); } return null; } ``` Note: This requires the System.IdentityModel.Tokens.Jwt NuGet package to use JwtSecurityTokenHandler. Upvotes: 3 <issue_comment>username_3: Taking @David-Yates's answer I substituted Principal when running locally ``` module Debug = begin open System.IdentityModel.Tokens.Jwt open System.Net.Http.Headers open System.Security.Claims let setPrincipalFromBearerToken (log : ILogger) (req : HttpRequest) = log.LogInformation ("Reading Authorization header") let success, authHeader = req.Headers.TryGetValue("Authorization") if not success then log.LogWarning ("Authorization header missing") else match Seq.tryExactlyOne authHeader with | None -> log.LogWarning ("Authorization header has 0 or more than 1 value") | Some headerValue -> let headerValue = AuthenticationHeaderValue.Parse(headerValue); log.LogInformation ("Authorization header succesfully parsed") let handler = new JwtSecurityTokenHandler(); let token = handler.ReadJwtToken(headerValue.Parameter); log.LogInformation ("JWT succesfully parsed") let identity = ClaimsIdentity( req.HttpContext.User.Identity, token.Claims)//, //Microsoft.AspNetCore.Authentication.JwtBearer.JwtBearerDefaults.AuthenticationScheme), //"oid", "roles") let principal = ClaimsPrincipal(identity) req.HttpContext.User <- principal let userIdClaim = principal.Claims |> Seq.where (fun c -> c.Type = "oid") // TODO: Use const from MS package if possible |> Seq.head log.LogInformation ("Principal succesfully updated, user ID '{0}'", userIdClaim.Value) end let isLocal = String.IsNullOrEmpty(Environment.GetEnvironmentVariable("WEBSITE_INSTANCE_ID")) if isLocal then Debug.setPrincipalFromBearerToken log req ``` Upvotes: 2
2018/03/22
324
1,108
<issue_start>username_0: The `:link` pseudo selector styles elements before they are visited and `:visited` styles them after. Is there any difference between doing: ``` a { border-color: red; } ``` and ``` a:link {border-color: red} ``` ?<issue_comment>username_1: a:link { color:red;}this make the link color red when it is not even used; a:visited {color :green } this makes the link look green even if it is visited once .. Upvotes: -1 <issue_comment>username_2: Yes, Definitely difference is there. If your anchor tag does not contain any `href` values or only having `#` then the attribute `a:link` won't target the elements. Look at the snippet below, I am just using `a` and it targets all the elements. ```css a { color:green; } ``` ```html [link having #](#) link without href [Link having some value](test.html) ``` Now i will try to use `a:link`, and if you look at that it will target only the element which has the `href` links. ```css a:link { color:green; } ``` ```html [link having #](#) link without href [Link having some value](test.html) ``` Upvotes: 3 [selected_answer]
2018/03/22
3,201
7,678
<issue_start>username_0: When I visit <http://example.com> or example.com it is redirected to www.example.com at present And I would like to redirect to <https://www.example.com> by using the above Condition flow using .htaccess And below is my current .htaccess ``` RewriteOptions inherit #set link auto on Options +FollowSymLinks -MultiViews DirectoryIndex index.php DirectoryIndex index.html Options -Indexes RewriteEngine on RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^(MyAdmin)($|/) - [L] RewriteCond %{THE_REQUEST} \ /(.+)\.php RewriteCond %{THE_REQUEST} ^[A-Z]{3,9}\ /index\.php\ HTTP/ RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^index\.php$ http://www.example.com/ [R=301,L] RewriteCond %{THE_REQUEST} ^[A-Z]{3,9}\ /index\.php\ HTTP/ RewriteCond %{REQUEST_FILENAME} !-f RewriteCond %{REQUEST_FILENAME} !-d RewriteCond %{REQUEST_URI} !(\.[a-zA-Z0-9]{1,5}|/)$ RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule (.*)$ http://www.example.com/$1/ [R=301,L] ErrorDocument 403 http://www.example.com/403.html ErrorDocument 404 http://www.example.com/404.html RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^403.html$ 403.php [L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^404.html$ 404.php [L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^index.html$ index.php [L] #pages RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^([^/]*)/$ $1.php RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^([^/]*)\.html$ $1.php RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^service/([^/]*)\.html$ service.php?slug=$1 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^courtroom/([^/]*)\.html$ courtroom.php?slug=$1 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^courtroom-details/([^/]*)\.html$ courtroom-details.php?slug=$1 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^my-cases/([^/]*)\.html$ my-cases.php?slug=$1 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^my-completed-cases/([^/]*)\.html$ completed-case.php?slug=$1 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^viewlog/([^/]*)/([^/]*)\.html$ viewlog.php?slug=$1&caseid=$2 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^viewcase/([^/]*)/([^/]*)\.html$ viewcase.php?slug=$1&caseid=$2 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^banner/image/(.*)\.([jpg|jpeg|gif|png|JPG|JPEG|GIF|PNG]+)$ timthumb.php?src=http://www.example.com/uploads/banner/$1.$2&w=1400&h=460&zc=0&q=95 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^inner-banner/image/(.*)\.([jpg|jpeg|gif|png|JPG|JPEG|GIF|PNG]+)$ timthumb.php?src=http://www.example.com/uploads/innerbanner/$1.$2&w=1400&h=233&zc=0&q=95 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^service/image/(.*)\.([jpg|jpeg|gif|png|JPG|JPEG|GIF|PNG]+)$ timthumb.php?src=http://www.example.com/uploads/service/$1.$2&w=50&h=50&zc=0&q=95 [QSA,L] RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^clients/image/(.*)\.([jpg|jpeg|gif|png|JPG|JPEG|GIF|PNG]+)$ timthumb.php?src=http://www.example.com/uploads/clients/$1.$2&w=140&h=80&zc=0&q=85 [QSA,L] #set link start http://www.example.com/ RewriteCond %{HTTP_HOST} ^example\.com$ RewriteCond %{REQUEST_URI} !^/[0-9]+\..+\.cpaneldcv$ RewriteCond %{REQUEST_URI} !^/\.well-known/pki-validation/[A-F0-9]{32}\.txt(?:\ Comodo\ DCV)?$ RewriteRule ^(.*)$ "http\:\/\/www\.example\.com\/$1" [R=301,L] ``` And the server type is CPANEL and the security certificate is from comodo SSL.<issue_comment>username_1: a:link { color:red;}this make the link color red when it is not even used; a:visited {color :green } this makes the link look green even if it is visited once .. Upvotes: -1 <issue_comment>username_2: Yes, Definitely difference is there. If your anchor tag does not contain any `href` values or only having `#` then the attribute `a:link` won't target the elements. Look at the snippet below, I am just using `a` and it targets all the elements. ```css a { color:green; } ``` ```html [link having #](#) link without href [Link having some value](test.html) ``` Now i will try to use `a:link`, and if you look at that it will target only the element which has the `href` links. ```css a:link { color:green; } ``` ```html [link having #](#) link without href [Link having some value](test.html) ``` Upvotes: 3 [selected_answer]
2018/03/22
497
1,454
<issue_start>username_0: I want to clean out the text of the retailers which have dashes in them. I'm new to R and programming itself, so please help me out here. I know a bit of REGEX in general. ``` mydata = read.csv("test4+.csv", header = TRUE) mydata[,c("Store.Name")] filenames <- c( "test4+.csv", "test4+.csv" ) for( f in filenames ){ z <- readLines(f) a <- gsub("([S|s]potlight)\\s+(.*)", "\\1 - \\2", z) b <- gsub("([W|w]oolworths)\\s*(.*)", "\\1 - \\2", z) c <- gsub("([B|b]ig)(W)\\s*-*\\s*(.*)", "\\1 \\2 - \\3", z) cat(a, file=f, sep="\n") cat(b, file=f, sep="\n") cat(c, file=f, sep="\n")} for( f in filenames ){ cat(readLines(f), sep="\n") } ``` Where col1 should look like col2: ``` col1 col2 woolworths abc woolworths - abc woolworths bcd bce woolworths - bcd bce spotlight blah blah (blah) spotlight - blah blah (blah) BigW act Big W - act external external ```<issue_comment>username_1: You could try this out: ``` a <- gsub("^(?:.*?)(\\s+)(?:.+)$", " - ", z) ``` And so on for the others. I'll be quite frank with you, I have never used regex in `r` before, or `gsub`, but this is the closest approximation I have. Upvotes: 1 <issue_comment>username_2: This should work: ``` gsub('([[:punct:]])|\\s+',' - ',data$column) #replace white space with " - " ``` Upvotes: 0
2018/03/22
303
964
<issue_start>username_0: I have a piece of php code which will display the current username who has logged in, i want to add this php code to jquery code so that the username can get auto filled. I dont know jquery code to make it possible as i am new to jquery. This is my php code where i can get username: ``` php $this-data['page_title'] = 'User Profile'; $user_id = $this->input->get('username'); if( !isset($user_id) ) { $user_id = $_SESSION['username']; echo $user_id; } ?> ``` I don't know how to add this code to .js code.<issue_comment>username_1: You could try this out: ``` a <- gsub("^(?:.*?)(\\s+)(?:.+)$", " - ", z) ``` And so on for the others. I'll be quite frank with you, I have never used regex in `r` before, or `gsub`, but this is the closest approximation I have. Upvotes: 1 <issue_comment>username_2: This should work: ``` gsub('([[:punct:]])|\\s+',' - ',data$column) #replace white space with " - " ``` Upvotes: 0
2018/03/22
464
2,075
<issue_start>username_0: Google says to put the analytics code at the top of your head section. When the page loads this script file can be found from inspecting the page. Just curious, does this matter that people could see this code? Is it secure enough so that if someone wanted to try and hack it, they wouldn't be able? Is there another preferred way to implement google analytics?<issue_comment>username_1: The analytics.js library is a JavaScript library for measuring how users interact with your website. This document explains how to add analytics.js to your site. Please refer the below link for preferred : <https://developers.google.com/analytics/devguides/collection/analyticsjs/> Upvotes: 0 <issue_comment>username_2: Depends on what you mean by "secure". Javascript is visible to every user of your page, so there are no secrets in JS (and you cannot meaningfully encrypt data in JS - if the browser can decode it, then anybody else can). This has actual consequences for GA, since it means anybody can look up your tracking id an send spam data to your account (to be fair they could just as well at the network request and get the id from there). The other security issue is if JS is somehow used as attack vector (scraping information and redirecting data to third parties, including malware in the page etc.). The analytics.js library is not usually an attack vector. However, as it is injected in the page and runs in the context of your page it has access to all information. If somebody manages to swap out the analytics.js file, e.g. via a man-in-the-middle attack on your network, then it could lead to abuse (a few years ago on the Google Analytics forum somebody claimed this had happened to him; I don't know if this would still be feasible). But that would be a problem with the infrastructure, not with Google code per se. If you wanted to secure yourself against this you would need to use server-side tracking via the measurement protocol, however this would make it more difficult to track frontend events. Upvotes: 2 [selected_answer]
2018/03/22
1,570
3,908
<issue_start>username_0: I have a sql query and want to replicate in Excel VBA. I am having trouble using multiple case statements example columns ``` column(a) - segment_nbr column(b) - ltv segment_nbr ltv 1 2.1526521 4 3.01348283 1 1.49385324 1 1.84731871 1 1.29541322 1 0.55659018 2 2.33690417 1 1.34068404 2 1.54078719 1 0.74087837 3 1.93278303 1 1.38347042 4 1.64194326 ``` I want to build a function that would replicate the following example nested if /case formula: ``` =if(and($A1=1,$B1<=0.9),100.01,IF(and($A1=1,$B1<=2.0),201.01,IF(and($A1=1,$B1<=3.0),-23.26,IF(and($A1=2,$B1<=0.9),-99.98,IF(and($A1=3,$B1<=1.3),199.98, IF(and($A1=4,$B1<=0.44),-32.43,IF(and($A1=4,$B1<=1.6),160.9,"" ))) ``` I tried the following but not working: it is not taking the segment\_nb argument. any thoughts on how I can correct it? ``` Function ltv_w(segment_nbr, ltv ) Select Case ltv Case Is <= 0.9 And segment_nbr = 1 ltv_w = 100.01 Case Is <= 2.0 And segment_nbr = 1 ltv_w = 201.01 Case Is <= 3.0 And segment_nbr = 1 ltv_w = -23.26 Case Is <= 0.9 And segment_nbr = 2 ltv_w = -99.98 Case Is <= 1.3 And segment_nbr = 3 ltv_w = 199.98 Case Is <= 0.44 And segment_nbr = 4 ltv_w = -32.43 Case Is <= 1.6 And segment_nbr = 4 ltv_w = 160.9 End Select End Function ```<issue_comment>username_1: Using `Select Case ltv`, checks only the value of `ltv`, it's not like using `If` and adding an `And`, it ignores the second criteria. You could "cheat" the `Select Case` a little, you can use `Select Case True`, and then nested below modify your code a little: ``` Case ltv <= 0.9 And segment_nbr = 1 ``` Try the code below: ``` Function ltv_w(segment_nbr, ltv) Select Case True Case ltv <= 0.9 And segment_nbr = 1 ltv_w = 100.01 Case ltv <= 2# And segment_nbr = 1 ltv_w = 201.01 Case ltv <= 3# And segment_nbr = 1 ltv_w = -23.26 Case ltv <= 0.9 And segment_nbr = 2 ltv_w = -99.98 Case ltv <= 1.3 And segment_nbr = 3 ltv_w = 199.98 Case ltv <= 0.44 And segment_nbr = 4 ltv_w = -32.43 Case ltv <= 1.6 And segment_nbr = 4 ltv_w = 160.9 End Select End Function ``` Upvotes: 1 <issue_comment>username_2: First of all - change the sequence of checks. Check `segment_nbr` at 1-st Case level, then at the 2-nd level check `ltv`. ``` Function ltv_w(segment_nbr, ltv) Select Case segment_nbr Case 1 Select Case ltv Case Is <= 0.9: ltv_w = 100.01 Case Is <= 2#: ltv_w = 201.01 Case Is <= 3#: ltv_w = -23.26 End Select Case 2 Case 3 Case 4 End Select End Function ``` Be carefull with `Case Is <=` sequence. And once more... **Never compare Doubles for equality**. So conditions like `<= 3#` need to be converted to `Not > 3#`. . Upvotes: 3 [selected_answer]<issue_comment>username_3: As per my understanding, you can achieve this stuff with if else statement also, check below code It modified as per your excel formula. ``` '''' Function ltv_w(segment_nbr, ltv) Select Case segment_nbr Case Is = 1 Select Case ltv Case Is <= 0.9 ltv_w = -99.98 Case Is <= 2# ltv_w = 201.01 Case Is <= 3# ltv_w = -23.26 Case Else ltv_w = "" End Select Case Is = 2 Select Case ltv Case Is <= 0.9 ltv_w = -99.98 Case Else ltv_w = "" End Select Case Is = 3 Select Case ltv Case Is <= 1.3 ltv_w = 199.98 Case Else ltv_w = "" End Select Case Is = 4 Select Case ltv Case Is <= 0.44 ltv_w = -32.43 Case Is <= 1.6 ltv_w = 160.9 Case Else ltv_w = "" End Select Case Else ltv_w = "" End Select End Function ``` '' Upvotes: 0
2018/03/22
1,701
5,085
<issue_start>username_0: Image padding inside slick carousel not working. Here is the fiddle: <https://jsfiddle.net/wzf6kaxr/3/> ``` Holatest hola amiogos Holatest hola amiogos Holatest hola amiogos Holatest hola amiogos Holatest hola amiogos Holatest hola amiogos Holatest hola amiogos Holatest hola amiogos ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ![](https://webmose.com/sjbdev/wp-content/uploads/2018/03/Cristiano.png) ### Cristiano Grow Partner / Director ``` CSS: not including here..almost 500 lines. please check fiddle. js: ``` jQuery(document).ready(function($) { $('.testimonial-shortcode-wrapper').each(function() { var $this = $(this); //var autoplay = $(this).attr('data-autoplay') == 'true' ? true : false; //var slide_duration = parseInt($(this).attr('data-slide-duration')); if ($this.hasClass('carousel')) { $this.find('.slider-for').slick({ slidesToShow: 1, slidesToScroll: 1, arrows: true, fade: false, autoplay: true, autoplaySpeed: 6000, asNavFor: $('.slider-nav', $this) }); $this.find('.slider-nav').slick({ slidesToShow: 5, slidesToScroll: 1, arrows: false, asNavFor: $('.slider-for', $this), dots: false, centerMode: true, variableWidth: true, variableHeight: true, centerPadding: '0px', focusOnSelect: true, responsive: [{ breakpoint: 991, settings: { slidesToShow: 3 } }, { breakpoint: 767, settings: { slidesToShow: 3 } } ] }); } }); }); ``` Image is overlapping each other without obeying the padding. I couldn't find where is the problem that's why I'm asking your help. [What I'm trying to achieve.](https://i.stack.imgur.com/809H7.png)<issue_comment>username_1: Using `Select Case ltv`, checks only the value of `ltv`, it's not like using `If` and adding an `And`, it ignores the second criteria. You could "cheat" the `Select Case` a little, you can use `Select Case True`, and then nested below modify your code a little: ``` Case ltv <= 0.9 And segment_nbr = 1 ``` Try the code below: ``` Function ltv_w(segment_nbr, ltv) Select Case True Case ltv <= 0.9 And segment_nbr = 1 ltv_w = 100.01 Case ltv <= 2# And segment_nbr = 1 ltv_w = 201.01 Case ltv <= 3# And segment_nbr = 1 ltv_w = -23.26 Case ltv <= 0.9 And segment_nbr = 2 ltv_w = -99.98 Case ltv <= 1.3 And segment_nbr = 3 ltv_w = 199.98 Case ltv <= 0.44 And segment_nbr = 4 ltv_w = -32.43 Case ltv <= 1.6 And segment_nbr = 4 ltv_w = 160.9 End Select End Function ``` Upvotes: 1 <issue_comment>username_2: First of all - change the sequence of checks. Check `segment_nbr` at 1-st Case level, then at the 2-nd level check `ltv`. ``` Function ltv_w(segment_nbr, ltv) Select Case segment_nbr Case 1 Select Case ltv Case Is <= 0.9: ltv_w = 100.01 Case Is <= 2#: ltv_w = 201.01 Case Is <= 3#: ltv_w = -23.26 End Select Case 2 Case 3 Case 4 End Select End Function ``` Be carefull with `Case Is <=` sequence. And once more... **Never compare Doubles for equality**. So conditions like `<= 3#` need to be converted to `Not > 3#`. . Upvotes: 3 [selected_answer]<issue_comment>username_3: As per my understanding, you can achieve this stuff with if else statement also, check below code It modified as per your excel formula. ``` '''' Function ltv_w(segment_nbr, ltv) Select Case segment_nbr Case Is = 1 Select Case ltv Case Is <= 0.9 ltv_w = -99.98 Case Is <= 2# ltv_w = 201.01 Case Is <= 3# ltv_w = -23.26 Case Else ltv_w = "" End Select Case Is = 2 Select Case ltv Case Is <= 0.9 ltv_w = -99.98 Case Else ltv_w = "" End Select Case Is = 3 Select Case ltv Case Is <= 1.3 ltv_w = 199.98 Case Else ltv_w = "" End Select Case Is = 4 Select Case ltv Case Is <= 0.44 ltv_w = -32.43 Case Is <= 1.6 ltv_w = 160.9 Case Else ltv_w = "" End Select Case Else ltv_w = "" End Select End Function ``` '' Upvotes: 0
2018/03/22
2,408
7,324
<issue_start>username_0: Here I want to make an associative array. My code: ``` while($row = mysql_fetch_assoc($mysql)){ $data[] = $row; print_r($row); } ``` print\_r($row); ``` Array ( [employeeTraveld] => 1 [total_Trip] => 23 ) Array ( [employeeTraveld] => 2 [total_Trip] => 9 ) Array ( [employeeTraveld] => 3 [total_Trip] => 8 ) Array ( [employeeTraveld] => 4 [total_Trip] => 7 ) ``` Using this above array, I want to make my expected output like: `employeeTraveld` is `1` means I have to change the key value like `SingleemployeeTraveld` and value is `23` **(total\_Trip)** --- `employeeTraveld` is `2` means I have to change the key value like `TwoemployeeTraveld` and value is `9` **(total\_Trip)** --- `employeeTraveld` is `3` means I have to change the key value like `ThreeemployeeTraveld` and value is `8` **(total\_Trip)** --- `employeeTraveld` is `4` means I have to change the key value like `FouremployeeTraveld` and value is `7` **(total\_Trip)** Finally my expected result should come like this: ``` Array ( [SingleemployeeTraveld] => 23 [TwoemployeeTraveld] => 9 [ThreeemployeeTraveld] => 8 [FouremployeeTraveld] => 7 ) ``` My Updated Code ``` include 'dbconfig.php'; require('Numbers/Words.php'); date_default_timezone_set('Asia/Kolkata'); $sql = "SELECT EmpId as employeeTraveld, Count(tripId) AS total_Trip FROM ( SELECT COUNT(empID) AS empID, tm.tripID FROM trip_member as tm INNER JOIN trip_details as td ON tm.tripId = td.tripId WHERE tripDate BETWEEN '$today' AND '$today' GROUP BY tripid ) AS trip_member GROUP BY EMPID ORDER BY EMPID"; $mysql = mysql_query($sql); while($row = mysql_fetch_assoc($mysql)){ $newArray = new array(); foreach($row as $key=>$value){ $numberToWord = new Numbers_Words(); $newkeyWord = ucfirst($numberToWords->toWords($value["employeeTraveld"])); $newkey = $newkeyWord.$value["employeeTraveld"]; $newArray[$newkey] = $value["total_Trip"]; } } print_r($newArray); ```<issue_comment>username_1: ``` require('Numbers/Words.php'); $newArray = new array(); foreach($row as $key=>$value){ $numberToWord = new Numbers_Words(); $newkeyWord = ucfirst($numberToWords->toWords($value["employeeTraveld"])); $newkey = $newkeyWord.$value["employeeTraveld"]; $newArray[$newkey] = $value["total_Trip"]; } print_r($newArray); ``` You can use this script. First loop through the array. You have a numeric values so you need to get the text from that. I,e 1 to One, 2 to Two, etc. For this purpose we have use `$numberToWord = new Numbers_Words();` and then `$newkeyWord = ucfirst($numberToWords->toWords($value["employeeTraveld"]));` here toWords return one if the number is 1, two if the string is 2 and so on. We have used ucfirst to convert first letter into capital. Finally when we have our key ready i.e OneemployeeTraveld, TwoemployeeTraveld, etc, we have added respective `total_Trip` to that key in newArray. You will get the expected output in newArray. Here is a documentation link for `Numbers_Words()` You need to use this package for that.Include this in your file. [Number\_Words](http://pear.php.net/package-info.php?package=Numbers_Words) [Ucfirst](http://php.net/manual/en/function.ucfirst.php) Upvotes: 0 <issue_comment>username_2: ```php $newarray = array(); foreach($array as $array2){ if($array2['employeeTraveld'] == 1){ $newarray['SingleemployeeTraveld'][] = $array2['total_Trip']; } if($array2['employeeTraveld'] == 2){ $newarray['TwoemployeeTraveld'][] = $array2['total_Trip']; } if($array2['employeeTraveld'] == 3){ $newarray['ThreeemployeeTraveld'][] = $array2['total_Trip']; } if($array2['employeeTraveld'] == 4){ $newarray['FouremployeeTraveld'][] = $array2['total_Trip']; } } echo json_encode($newarray); ``` Upvotes: 1 <issue_comment>username_3: Convert number into words - plz check <https://www.phptpoint.com/convert-number-into-words-in-php/> with the help of using this function, I tried to figure it out: ``` function numberTowords($num) { $ones = array( 1 => "one", 2 => "two", 3 => "three", 4 => "four", 5 => "five", 6 => "six", 7 => "seven", 8 => "eight", 9 => "nine", 10 => "ten", 11 => "eleven", 12 => "twelve", 13 => "thirteen", 14 => "fourteen", 15 => "fifteen", 16 => "sixteen", 17 => "seventeen", 18 => "eighteen", 19 => "nineteen" ); $tens = array( 1 => "ten", 2 => "twenty", 3 => "thirty", 4 => "forty", 5 => "fifty", 6 => "sixty", 7 => "seventy", 8 => "eighty", 9 => "ninety" ); $hundreds = array( "hundred", "thousand", "million", "billion", "trillion", "quadrillion" ); //limit t quadrillion $num = number_format($num, 2, ".", ","); $num_arr = explode(".", $num); $wholenum = $num_arr[0]; $decnum = $num_arr[1]; $whole_arr = array_reverse(explode(",", $wholenum)); krsort($whole_arr); $rettxt = ""; foreach ($whole_arr as $key => $i) { if ($i < 20) { $rettxt .= $ones[$i]; } elseif ($i < 100) { $rettxt .= $tens[substr($i, 0, 1)]; $rettxt .= "" . $ones[substr($i, 1, 1)]; } else { $rettxt .= $ones[substr($i, 0, 1)] . "" . $hundreds[0]; $rettxt .= "" . $tens[substr($i, 1, 1)]; $rettxt .= "" . $ones[substr($i, 2, 1)]; } if ($key > 0) { $rettxt .= "" . $hundreds[$key] . ""; } } if ($decnum > 0) { $rettxt .= "and"; if ($decnum < 20) { $rettxt .= $ones[$decnum]; } elseif ($decnum < 100) { $rettxt .= $tens[substr($decnum, 0, 1)]; $rettxt .= "" . $ones[substr($decnum, 1, 1)]; } } return $rettxt; } $arr = array( array( 'employeeTraveld' => 1, 'total_Trip' => 23 ), array( 'employeeTraveld' => 2, 'total_Trip' => 9 ), array( 'employeeTraveld' => 3, 'total_Trip' => 8 ), array( 'employeeTraveld' => 4, 'total_Trip' => 7 ), ); foreach ($arr as $subArr) { $numText = numberTowords($subArr['employeeTraveld']); $newKey = ucfirst($numText) . 'employeeTraveld'; $newArray[$newKey] = $subArr['total_Trip']; } echo " ``` "; print_r($newArray); ``` ``` [Demo](https://eval.in/976348) **Update** you can write these lines after `foreach`: ``` if(!empty($newArray)){ $data['status'] = 'success'; $data['data'] = array($newArray); echo json_encode($data); } ``` Upvotes: 2 [selected_answer]<issue_comment>username_4: Please try This > > $finalData = array(); > > > while($row = mysql\_fetch\_assoc($mysql)){ > > > $finalData[] = array( > convertToWord($row['employeeTraveld']).'employeeTraveld' => $row['value'] > ); > > > } > > > print\_r($finalData); > > > function convertToWord($number) { > > > $f = new NumberFormatter("en", NumberFormatter::SPELLOUT); > > > return $f->format($number); > > > } > > > Upvotes: 0
2018/03/22
1,167
3,331
<issue_start>username_0: I have two array of objects with these properties: ``` const a = [{name: 'Anna',email: '<EMAIL>',flag: false}, {name: 'Kelly',email: '<EMAIL>',flag: true}]; const b = [{name: 'Rana',email: '<EMAIL>',flag: true}, {name: 'Anna',email: '<EMAIL>',flag: true}, {name: 'Hank',email: '<EMAIL>',flag: false}]; ``` I want to remove all the duplicates containing the flag of false value but both duplicates have flag of false then I just want to keep one of them. But if any object doesn't have any duplicates then I want to keep it regardless of it's flag property. I tried this to remove duplicates but couldn't filter by the flag property. ``` let cs = a.concat(b); cs = cs.filter((c, index, self) => index === self.findIndex((t) => ( t.email === c.email )) ``` Expected output would be like this: ``` [{"name":"Anna","email":"<EMAIL>","flag":true}, {"name":"Kelly","email":"<EMAIL>","flag":true}, {"name":"Rana","email":"<EMAIL>","flag":true}, {"name":"Hank","email":"<EMAIL>","flag":false}] ```<issue_comment>username_1: See [Map](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Map), [Array.prototype.map()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/map), and [Array.prototype.filter()](https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/filter) for more info. ```js // A. const A = [{name: 'Anna',email: '<EMAIL>',flag: false}, {name: 'Kelly',email: '<EMAIL>',flag: true}] // B. const B = [{name: 'Rana',email: '<EMAIL>',flag: true}, {name: 'Anna',email: '<EMAIL>',flag: true}, {name: 'Hank',email: '<EMAIL>',flag: false}] // Unique Users. const uniqueUsers = (...arrays) => [...new Map([].concat.apply([], arrays).map(user => [user.email.toLowerCase(), user])).values()] // Proof. const C = uniqueUsers(A, B) console.log(C) // Optional Filtration By Flag. const D = C.filter(user => user.flag) ``` Upvotes: 1 <issue_comment>username_2: It seems that you already know that `a` doesn't contain duplicates and `b` doesn't contain duplicates. So you can use ``` const a = [{name: 'Anna',email: '<EMAIL>',flag: false}, {name: 'Kelly',email: '<EMAIL>',flag: true}]; const b = [{name: 'Rana',email: '<EMAIL>',flag: true}, {name: 'Anna',email: '<EMAIL>',flag: true}, {name: 'Hank',email: '<EMAIL>',flag: false}]; const map = new Map(); for (const o of a) { map.set(o.email, o); } for (const o of b) { if (!map.has(o.email) || !map.get(o.email).flag) map.set(o.email, o); // else keep the one from a } return Array.from(map.values()); ``` Upvotes: 1 [selected_answer]<issue_comment>username_3: Another approach using `reduce`: ```js const a = [{name: 'Anna',email: '<EMAIL>',flag: false}, {name: 'Kelly',email: '<EMAIL>',flag: true}]; const b = [{name: 'Rana',email: '<EMAIL>',flag: true}, {name: 'Anna',email: '<EMAIL>',flag: true}, {name: 'Hank',email: '<EMAIL>',flag: false}]; let resp = [].concat(a, b) .reduce((acc, { name, email, flag }) => { if(!flag || acc.some(x => x.name == name && x.email == email)) return acc; return acc.concat({name, email, flag}); }, []) console.log(resp); ``` Upvotes: 0
2018/03/22
889
2,627
<issue_start>username_0: I need some help trying to figure out a quick algorithm that I am struggling to write. Basically I have a list that looks like: ``` season = [[['P1', '3', 'P2', '4'], ['P3', '2', 'P4', '1'], ['P1', '2', 'P3', '5'], ['P4', '2', 'P1', '3']]] ``` Each nested list represents a score in a game between players and the list has a lot more nested lists that follow the same format as shown above and the players go up to 32. What I am trying to do is write an algorithm that will allow me to display the player who has the most wins in the list as well as, the amount of wins they have achieved and I am struggling to figure out how to do this, so any help would be greatly appreciated! Below is what I have so far: ``` count = 0 for matchScores in season: for scores in matchScores: playerName = score[0] if playerName and score[1] > score[3] count = count + 1 ``` The list 'season' was created by: ``` season = [] season.append(tournament1) season.append(tournament2) season.append(tournament3) ``` etc<issue_comment>username_1: Here is one way to associate the win with each player: ### Code: ``` season = [[['P1', '3', 'P2', '4'], ['P3', '2', 'P4', '1'], ['P1', '2', 'P3', '5'], ['P4', '2', 'P1', '3']]] wins = {} for matchScores in season: for score in matchScores: p1, s1, p2, s2 = score s1, s2 = int(s1), int(s2) if s1 > s2: wins.setdefault(p1, []).append(score) elif s1 < s2: wins.setdefault(p2, []).append(score) print(wins) ``` ### Results: ``` { 'P2': [['P1', '3', 'P2', '4']], 'P3': [['P3', '2', 'P4', '1'], ['P1', '2', 'P3', '5']], 'P1': [['P4', '2', 'P1', '3']] } ``` Upvotes: 0 <issue_comment>username_2: You could do something like this **Code** ``` scores = dict() for match in season: for score in match: if int(score[1]) > int(score[3]): if score[0] not in scores: scores[score[0]] = 0 scores[score[0]] += 1 elif int(score[1]) < int(score[3]): if score[2] not in scores: scores[score[2]] = 0 scores[score[2]] += 1 print(scores) ``` **Result** ``` {'P2': 1, 'P3': 2, 'P1': 1} ``` This will give you a dictionary of all players and their scores. From there, you could do something like this ``` player_with_most_wins = max(scores, key=scores.get) print(player_with_most_wins + " has " + str(scores[player_with_most_wins]) + " wins") ``` to print out the player with the most wins, and how many wins they have as follows: ``` P3 has 2 wins ``` Upvotes: 2 [selected_answer]
2018/03/22
572
2,362
<issue_start>username_0: I'm currently learning about page tables in my operating systems class, and have come across the read-only bit. I understand the use of having the status of the page table being read-only or being read-write, but in lecture, they also mentioned that you could also have a write-only state. It doesn't make sense to me why a process can't read from a page that it can write to. I tried to look it up online but couldn't find anything about this write-only state. My question, therefore, is why would a programmer need a page to be write-only? What is an example of such a case?<issue_comment>username_1: A program does not want limitation. "He" thinks it is bug-free. Protection is mostly a operating system stuff (to catch bugs, to block non-well-intention programs). For OS point of view: CPU cache could be optimized differently with write-only pages (from user space preferences, or just by heuristics, and OS will use the flag to check if heuristic assumption were correct). But also paging algorithms could be done differently. In user space: for multi-process communication, a process could use a write-only page. A library could use the write-only, to catch some bugs earlier (and not too late with corrupt buffer, and so hard to debug). But also a encoder program (reading a large file and saving a encoded file): this will notify OS that pages could be written to disk and discarded from memory. But also for security: you write a passphrase on a write-only page, so you should no more care about malicious plugin trying to read the passphrase (other processes are able to read it), so still a multi-process communication case. But as you know, pages protection flags do not reflect what program want. They are just internal checks of OS, and they could change. OS could set more restricted flags, and relax them (after tacking action) on first protection hit (e.g. COW [this requires also write-protected]) Upvotes: 1 [selected_answer]<issue_comment>username_2: While a write only page is theoretically possible, I cannot think of any processor that actually supports it. Here is a link to the Intel manual. <https://software.intel.com/sites/default/files/managed/7c/f1/253668-sdm-vol-3a.pdf> See section 5-12. You can only disable writes and executes on a page. Reads can only be disabled by access mode. Upvotes: 1
2018/03/22
491
1,832
<issue_start>username_0: I have a JS variable, that defines a DOM element that I want to show somewhere else on the DOM, defined as `var salesRep = $("ul.map").attr("id","1");` And I want to pass it to a function called `show();` So I made ``` function getSalesRep(salesRep){ return salesRep } ``` Then inside the `show()` function I called `getSalesRep()` Which looks like ``` function show(){ getSalesRep(); var x1 = "" + salesRep + ""; $("#map").after($(x1)); } ``` However on the DOM, where the `salesRep` variable that contains HTML should appear, it outputs `[Object object]` I can seem to figure it out...I am convinced it has something to do with the way I am defining the object wrong.<issue_comment>username_1: It happens when you concatenate string and objects. You need to stringify the salesRep and concatenate. You can use JSON.stringify() to achieve the same. Once you have the string you can add it as an inner HTML of a newly created element and append it. Upvotes: 0 <issue_comment>username_2: Before appending the DOM element,you need to `JSON.stringify` the `[Object object]` ``` function show(){ let listOfSales = JSON.stringify(getSalesRep()); var x1 = "" + listOfSales + ""; $("#map").after($(x1)); } ``` Upvotes: 2 <issue_comment>username_3: In case if you need html content to show there, ``` var x1 = "" + salesRep.html() + ""; ``` Upvotes: 2 <issue_comment>username_4: You don't need a function to access the variable `salesRep`. Defining the `getSalesRep`, and then calling it is not necessary here as its not doing anything. If you remove function definition and call from show method nothing will be affected, As you are using the `salesRep` variable in the end. You just have to use stringify `salesRep` the object using the `.html()` method on it. Upvotes: 0
2018/03/22
580
2,291
<issue_start>username_0: **issue:** API calls again while scrolling table. Code which I have done : ``` - (UITableViewCell*)tableView:(UITableView*)tableView cellForRowAtIndexPath:(NSIndexPath*)indexPath { ITableViewCell* cell = ( ITableViewCell* )[self.tblNotes dequeueReusableCellWithIdentifier:@"NoteTableCell"]; cell.tag = indexPath.row; if(cell.tag == indexPath.row) { cell = [cell initWithNote:[notesArray objectAtIndex:indexPath.row]]; } [cell setNeedsLayout]; [cell setNeedsDisplay]; return cell; } ``` I don't want to call `initWithNote` while scrolling. Thanks in Advance.<issue_comment>username_1: ``` -(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{ ITableViewCell* cell = [tableView dequeueReusableCellWithIdentifier:@"NoteTableCell"]; if (cell == nil) { NSArray *topLevelObjects = [[NSBundle mainBundle] loadNibNamed:@"NoteTableCell" owner:self options:nil]; cell = [topLevelObjects objectAtIndex:0]; } id object = [notesArray objectAtIndex:indexPath.row]; if ([object isKindOfClass:[NSDictionary class]]) { NSDictionary *dict = (NSDictionary *)object; [cell.userNameforNotes setText:[NSString stringWithFormat:@"%@",[[dict valueForKey:@"uploadedBy"] uppercaseString]]]; [cell.noteDescription setText:[NSString stringWithFormat:@"%@",[[dict valueForKey:@"description"] uppercaseString]]]; [cell.dateForNotes setText:[NSString stringWithFormat:@"%@",[[dict valueForKey:@"uploadedDate"] uppercaseString]]]; NSString *urlString = [NSString stringWithFormat:@"%@", [dict valueForKey:@"incidentID"]]; [cell.noteImage sd_setImageWithURL:[NSURL URLWithString:urlString]]; } return cell; } ``` Upvotes: 2 [selected_answer]<issue_comment>username_2: For that you can detect tableview is scrolling with the help of this delegate `scrollViewWillBeginDragging`, if it is then you can maintain some flag or something which can tell your code to not call `initWithNote:`. After scrolling will finish that you can check it with `scrollViewDidEndDragging:` you can do whatever you wants to do. As tableview contains scrollview so you can easily take the help from scrollview delegates. Upvotes: 0
2018/03/22
588
1,672
<issue_start>username_0: Have a Sample Python List as Follows: ``` data = [ ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas') ] ``` Tried inserting this list onto a My Sql database with tablename 'test' as Follows: ``` import MySQLdb as my db = my.connect() cursor = db.cursor() data = [ ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas') ] ddt = str(data) cursor.executemany('INSERT into test VALUES(%s, %s, %s,%s)' % ddt) db.commit() db.close() ``` Getting an error saying: ``` not enough arguments for format string ``` Table contains 4 columns : test1,test2,test3,test4 .I know Im making a silly mistake someplace, but can't seem to find it.<issue_comment>username_1: try this: ``` cursor.executemany('INSERT into test VALUES(%s, %s, %s,%s)',data) ``` Or ``` cursor.execute("INSERT INTO test VALUES %s;" %(str(tuple(data)).replace('((','(').replace('))',')'))) ``` Upvotes: -1 [selected_answer]<issue_comment>username_2: Full code can be this type:: ``` import MySQLdb import MySQLdb.cursors encoding = "utf8mb4" db = MySQLdb.connect( host='', user='', passwd='', db='', compress=1, port=, charset='utf8mb4', use_unicode=True, ) cursor = db.cursor() data = [ ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas') ] sql = "INSERT INTO test VALUES %s;" %(str(tuple(data)).replace('((','(').replace('))',')')) print(sql) // you can print the sql query and verify to insert data on test mysqlworkbech for confirm data structure is cursor.execute(sql) db.commit() db.close() ``` Upvotes: 0
2018/03/22
1,111
3,159
<issue_start>username_0: I have a csv file(including header) in my local system,on which im trying to perform groupBy function i.e group by purpose and sum of amount per purpose.the commands i've typed on pyspark console are as follows ``` from pyspark import SparkContext, SparkConf from pyspark.sql.types import * from pyspark.sql import Row csv_data=sc.textFile("/project/sample.csv").map(lambda p: p.split(",")) header = csv_data.first() csv_data = csv_data.filter(lambda p:p != header) df_csv = csv_data.map(lambda p: Row(checkin_acc = p[0], duration = int(p[1]), credit_history = p[2], purpose = p[3], amount = int(p[4]), svaing_acc = p[5], present_emp_since = p[6], inst_rate = int(p[7]), personal_status = p[8], other_debtors = p[9],residing_since = int(p[10]), property = p[11], age = int(p[12]), inst_plans = p[13], housing = p[14], num_credits = int(p[15]), job = p[16], dependents = int(p[17]), telephone = p[18], foreign_worker = p[19], status = p[20])).toDF() grouped = df_csv.groupBy('purpose').sum('amount') grouped.show() ``` ```none [Stage 9:> (0 + 2) / 2]18/03/22 10:34:52 ERROR executor.Executor: Exception in task 1.0 in stage 9.0 (TID 10) org.apache.spark.api.python.PythonException: Traceback (most recent call last): File "/opt/spark-2.2.1-bin-hadoop2.7/python/lib/pyspark.zip/pyspark/worker.py", line 177, in main process() File "/opt/spark-2.2.1-bin-hadoop2.7/python/lib/pyspark.zip/pyspark/worker.py", line 172, in process serializer.dump_stream(func(split_index, iterator), outfile) File "/opt/spark-2.2.1-bin-hadoop2.7/python/lib/pyspark.zip/pyspark/serializers.py", line 268, in dump_stream vs = list(itertools.islice(iterator, batch)) File "", line 1, in IndexError: list index out of range at org.apache.spark.api.python.PythonRunner$$anon$1.read(PythonRDD.scala:193) at org.apache.spark.api.python.PythonRunner$$anon$1.next(PythonRDD.scala:156) at org.apache.spark.api.python.PythonRunner$$anon$1.next(PythonRDD.scala:152) at org.apache.spark.InterruptibleIterator.next(InterruptibleIterator.scala:40) at scala.collection.Iterator$$anon$12.nextCur(Iterator.scala:4 ``` How do i get around this error?<issue_comment>username_1: try this: ``` cursor.executemany('INSERT into test VALUES(%s, %s, %s,%s)',data) ``` Or ``` cursor.execute("INSERT INTO test VALUES %s;" %(str(tuple(data)).replace('((','(').replace('))',')'))) ``` Upvotes: -1 [selected_answer]<issue_comment>username_2: Full code can be this type:: ``` import MySQLdb import MySQLdb.cursors encoding = "utf8mb4" db = MySQLdb.connect( host='', user='', passwd='', db='', compress=1, port=, charset='utf8mb4', use_unicode=True, ) cursor = db.cursor() data = [ ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas'), ('Jane','dffd','sdas','sdas') ] sql = "INSERT INTO test VALUES %s;" %(str(tuple(data)).replace('((','(').replace('))',')')) print(sql) // you can print the sql query and verify to insert data on test mysqlworkbech for confirm data structure is cursor.execute(sql) db.commit() db.close() ``` Upvotes: 0
2018/03/22
391
1,225
<issue_start>username_0: I am newly using vuetify. I want to change font-size of button and its label. Directly applying css not working. So i searched for some answer, but those answer are very short. Which i'm unable to apply them. Can anyone help me to explain how do i change font-size in vuetify? TIA Updated: ``` Jenis Kelamin Mohon diisi ```<issue_comment>username_1: Got the answer. In my css file all i have to do is ``` .customClass >>> label ``` adding those >>> icon solved the problem. Upvotes: 4 [selected_answer]<issue_comment>username_2: If you want to use a style tag in the `.vue` file you have the option to remove `scoped` from the style tag and target the label directly. ``` .v-label { font-size: desired size } ``` If it happens that you have a separate `.css` file you can still use this method and ignore the Upvotes: 2 <issue_comment>username_3: This worked for me: ``` .small-radio i { font-size: 19px; } .small-radio label { font-size: 14px; padding-left: 0px; margin-left: -4px; } .small-radio .v-radio { padding: 0px; } .small-radio [class*="__ripple"] { left: 0; } ``` Add `v-deep::` infront if requred. Add the style to `v-radio-group`: ``` ``` Upvotes: 1
2018/03/22
754
3,190
<issue_start>username_0: My scenario: Website hosted on the cloud, where each instance creates a subscription to a Service Bus Topic for itself to listen for messages. My question: **How do I programmatically create subscriptions?**<issue_comment>username_1: Original plan for the new Azure Service Bus client was not to include management plane at all and use Azure Active Directory route instead. This has proven to be too problematic, just like you've pointed out. Microsoft messaging team has put together a [sample](https://github.com/Azure-Samples/service-bus-dotnet-management/) to demonstrate the basic operations. Note that there's a [pending PR](https://github.com/Azure-Samples/service-bus-dotnet-management/pull/14) to get it working with .NET Core 2.0 Moving forward, it was recognized that developers prefer to access Service Bass using a connection string like they used to over Azure Active Directory option. [Management Operations issue](https://github.com/Azure/azure-service-bus-dotnet/issues/65) is raised to track requests. [Current plan](https://github.com/Azure/azure-service-bus-dotnet/issues/65#issuecomment-338874419) is to provide a light weight management library for the .NET Standard client. For now, the options are either to leverage the old client to create entities or use Microsoft.Azure.Management.ServiceBus (or Fluent) until the management package is available. **Update** Management operations were released as part of 3.1.0 version of the client. Upvotes: 3 <issue_comment>username_2: Microsoft.Azure.ServiceBus.3.1.0 allows to create a ManagementClient using the ConnectionString. ``` private async Task CreateTopicSubscriptions() { var client = new ManagementClient(ServiceBusConnectionString); for (int i = 0; i < Subscriptions.Length; i++) { if (!await client.SubscriptionExistsAsync(TopicName, Subscriptions[i])) { await client.CreateSubscriptionAsync(new SubscriptionDescription(TopicName, Subscriptions[i])); } } } ``` Upvotes: 7 [selected_answer]<issue_comment>username_3: Microsoft.Azure.ServiceBus has been deprecated. The new option is [Azure.Messaging.ServiceBus](https://www.nuget.org/packages/Azure.Messaging.ServiceBus/) and ManagementClient has been replaced by [ServiceBusAdministrationClient](https://learn.microsoft.com/en-us/dotnet/api/azure.messaging.servicebus.administration.servicebusadministrationclient?view=azure-dotnet). ``` string connectionString = ""; ServiceBusAdministrationClient client = new ServiceBusAdministrationClient(connectionString); ``` This new package also supports ManagedIdentity: ``` string fullyQualifiedNamespace = "yournamespace.servicebus.windows.net"; ServiceBusAdministrationClient client = new ServiceBusAdministrationClient(fullyQualifiedNamespace, new DefaultAzureCredential()); ``` A little example: ``` var queueExists = await _administrationClient.QueueExistsAsync(queueName); if(!queueExists) await _administrationClient.CreateQueueAsync(queueName); ``` More info [here](https://github.com/Azure/azure-sdk-for-net/blob/main/sdk/servicebus/Azure.Messaging.ServiceBus/MigrationGuide.md). Upvotes: 2
2018/03/22
798
3,289
<issue_start>username_0: I have used this code to reverse a number but it is not working. ``` var buffer = new Buffer("", "ucs2"); Array.prototype.reverse.call(new Unit16Array(buffer)); return buffer.toString("ucs2"); ``` Where was I wrong? Is this approach right? Any other way of reversing a number/string without using buffer?<issue_comment>username_1: Original plan for the new Azure Service Bus client was not to include management plane at all and use Azure Active Directory route instead. This has proven to be too problematic, just like you've pointed out. Microsoft messaging team has put together a [sample](https://github.com/Azure-Samples/service-bus-dotnet-management/) to demonstrate the basic operations. Note that there's a [pending PR](https://github.com/Azure-Samples/service-bus-dotnet-management/pull/14) to get it working with .NET Core 2.0 Moving forward, it was recognized that developers prefer to access Service Bass using a connection string like they used to over Azure Active Directory option. [Management Operations issue](https://github.com/Azure/azure-service-bus-dotnet/issues/65) is raised to track requests. [Current plan](https://github.com/Azure/azure-service-bus-dotnet/issues/65#issuecomment-338874419) is to provide a light weight management library for the .NET Standard client. For now, the options are either to leverage the old client to create entities or use Microsoft.Azure.Management.ServiceBus (or Fluent) until the management package is available. **Update** Management operations were released as part of 3.1.0 version of the client. Upvotes: 3 <issue_comment>username_2: Microsoft.Azure.ServiceBus.3.1.0 allows to create a ManagementClient using the ConnectionString. ``` private async Task CreateTopicSubscriptions() { var client = new ManagementClient(ServiceBusConnectionString); for (int i = 0; i < Subscriptions.Length; i++) { if (!await client.SubscriptionExistsAsync(TopicName, Subscriptions[i])) { await client.CreateSubscriptionAsync(new SubscriptionDescription(TopicName, Subscriptions[i])); } } } ``` Upvotes: 7 [selected_answer]<issue_comment>username_3: Microsoft.Azure.ServiceBus has been deprecated. The new option is [Azure.Messaging.ServiceBus](https://www.nuget.org/packages/Azure.Messaging.ServiceBus/) and ManagementClient has been replaced by [ServiceBusAdministrationClient](https://learn.microsoft.com/en-us/dotnet/api/azure.messaging.servicebus.administration.servicebusadministrationclient?view=azure-dotnet). ``` string connectionString = ""; ServiceBusAdministrationClient client = new ServiceBusAdministrationClient(connectionString); ``` This new package also supports ManagedIdentity: ``` string fullyQualifiedNamespace = "yournamespace.servicebus.windows.net"; ServiceBusAdministrationClient client = new ServiceBusAdministrationClient(fullyQualifiedNamespace, new DefaultAzureCredential()); ``` A little example: ``` var queueExists = await _administrationClient.QueueExistsAsync(queueName); if(!queueExists) await _administrationClient.CreateQueueAsync(queueName); ``` More info [here](https://github.com/Azure/azure-sdk-for-net/blob/main/sdk/servicebus/Azure.Messaging.ServiceBus/MigrationGuide.md). Upvotes: 2
2018/03/22
858
3,477
<issue_start>username_0: How to get key value pair from object where any object has some value, I need to check if that key has some value itself like we do in javascript: ``` angular.forEach($scope.openedModel.Roaster, function (value, key) { if (value != null) for (var i = 0; i < value; i++) { $scope.openedModel.roastersArray.push({ 'key': key, 'value': 1, 'picked': 0, 'users': {} }); } }); ``` I have an Roster object in my code which I want the same like above in c#. Any help ?<issue_comment>username_1: Original plan for the new Azure Service Bus client was not to include management plane at all and use Azure Active Directory route instead. This has proven to be too problematic, just like you've pointed out. Microsoft messaging team has put together a [sample](https://github.com/Azure-Samples/service-bus-dotnet-management/) to demonstrate the basic operations. Note that there's a [pending PR](https://github.com/Azure-Samples/service-bus-dotnet-management/pull/14) to get it working with .NET Core 2.0 Moving forward, it was recognized that developers prefer to access Service Bass using a connection string like they used to over Azure Active Directory option. [Management Operations issue](https://github.com/Azure/azure-service-bus-dotnet/issues/65) is raised to track requests. [Current plan](https://github.com/Azure/azure-service-bus-dotnet/issues/65#issuecomment-338874419) is to provide a light weight management library for the .NET Standard client. For now, the options are either to leverage the old client to create entities or use Microsoft.Azure.Management.ServiceBus (or Fluent) until the management package is available. **Update** Management operations were released as part of 3.1.0 version of the client. Upvotes: 3 <issue_comment>username_2: Microsoft.Azure.ServiceBus.3.1.0 allows to create a ManagementClient using the ConnectionString. ``` private async Task CreateTopicSubscriptions() { var client = new ManagementClient(ServiceBusConnectionString); for (int i = 0; i < Subscriptions.Length; i++) { if (!await client.SubscriptionExistsAsync(TopicName, Subscriptions[i])) { await client.CreateSubscriptionAsync(new SubscriptionDescription(TopicName, Subscriptions[i])); } } } ``` Upvotes: 7 [selected_answer]<issue_comment>username_3: Microsoft.Azure.ServiceBus has been deprecated. The new option is [Azure.Messaging.ServiceBus](https://www.nuget.org/packages/Azure.Messaging.ServiceBus/) and ManagementClient has been replaced by [ServiceBusAdministrationClient](https://learn.microsoft.com/en-us/dotnet/api/azure.messaging.servicebus.administration.servicebusadministrationclient?view=azure-dotnet). ``` string connectionString = ""; ServiceBusAdministrationClient client = new ServiceBusAdministrationClient(connectionString); ``` This new package also supports ManagedIdentity: ``` string fullyQualifiedNamespace = "yournamespace.servicebus.windows.net"; ServiceBusAdministrationClient client = new ServiceBusAdministrationClient(fullyQualifiedNamespace, new DefaultAzureCredential()); ``` A little example: ``` var queueExists = await _administrationClient.QueueExistsAsync(queueName); if(!queueExists) await _administrationClient.CreateQueueAsync(queueName); ``` More info [here](https://github.com/Azure/azure-sdk-for-net/blob/main/sdk/servicebus/Azure.Messaging.ServiceBus/MigrationGuide.md). Upvotes: 2
2018/03/22
599
2,287
<issue_start>username_0: Here is error when i convert pdf, it's not working since i run my laravel project by "`php artisan serve --port=1000`". But if i run my laravel project with xampp. it's alright. I don't know why?. Give me explaination and repairs . Thank you ``` Symfony \ Component \ Debug \ Exception \ FatalErrorException (E_UNKNOWN) Maximum execution time of 60 seconds exceeded ```<issue_comment>username_1: Increase Your time limit in your controller file.Below variable to increase your time limit. ``` set_time_limit(300); ``` Upvotes: 3 <issue_comment>username_2: The laravel - dompdf does not work well with `php artisan serve`. You should use **XAMPP** or another **HTTP server** you like. Upvotes: 4 <issue_comment>username_3: I had the same problem and narrowed it down to linking to an image in my blade file. When I embedded the image instead as per this [SO answer](https://stackoverflow.com/questions/37952877/adding-an-image-with-dompdf), it no longer timed out. Upvotes: 0 <issue_comment>username_4: **Possible causes:** ***linking to external CSS*** - you're better off writing your css between style tags in the same file as your html ***using blade templating syntax*** e.g. @sections @roles, etc ***linking to external images*** ***Complex table structures/layouts*** ...from personal experience Upvotes: 1 <issue_comment>username_5: For me, there were two main issues. 1. **Using images directly:** I was using images with `storage_path()` so, I first convert image to base64 and pass it to the blade view. 2. **Using external CSS:** I was using bootstrap as external CSS and as we don't need whole bootstrap CSS, I just copy required CSS from bootstrap and place in internally with `..` These steps make the PDF generation process very fast. Upvotes: 2 <issue_comment>username_6: dompdf does not work on `php artisan server` You should go through xampp server. It solved my problem Upvotes: 0 <issue_comment>username_7: What I found was referencing to assets via `asset()` helper in the PDF view was throwing timeout exceeded error, I changed it to `public_path()` and it started working fine. Upvotes: 3 <issue_comment>username_8: use **public\_path** for your external files for exe `href="{{public_path('style.css')}}"` Upvotes: 2
2018/03/22
614
1,749
<issue_start>username_0: If I have a list of lists like so: ``` a = [[1,2,3], [4,5], [1,2], [6,7]] ``` How do I remove list elements such that the nested lists with even a few elements are duplicated are removed? The resulting list should just be: ``` a = [[4,5],[6,7]] ```<issue_comment>username_1: ``` from collections import defaultdict a = [[1,2,3], [4,5], [1,2], [6,7]] # count how many times each item appears count = defaultdict(int) for l in a: for x in l: count[x] += 1 # keep only sublists where all element have a count of 1 [l for l in a if all(count[x] < 2 for x in l)] ``` Upvotes: 1 <issue_comment>username_2: The following solution is conceptually similar to one proposed by *username_1* but has a different implementation. ``` from collections import Counter from itertools import chain a = [[1,2,1], [4,5], [1,2], [6,7]] ``` Calculate the set of duplicates. If two items are repeated only within a sublist, they are not considered dups. First, get a counter of all items. ``` counter = Counter(chain(*map(set, a))) #Counter({2: 2, 1: 1, 4: 1, 5: 1, 3: 1, 6: 1, 7: 1}) dups = {val for val, count in counter.items() if count > 1} #{1,2} ``` Intersect the duplicates with each sublist and filter *out* the duped sublists: ``` list(filter(lambda sublist: not dups & set(sublist), a)) #[[4, 5], [6, 7]] ``` It works both for lists of lists and lists of tuples. Upvotes: 2 <issue_comment>username_3: You can check the intersection of each sublist with rest of the elements of list, if all of the intersections are empty then the element is not repeated ``` >>> d = [[1,2,3], [4,5], [1,2], [6,7]] >>> [a for a in d if all(len(set(a) & set(b)) == 0 for b in d if b!=a)] >>> [[4, 5], [6, 7]] ``` Upvotes: -1
2018/03/22
617
1,853
<issue_start>username_0: I want to convert the HTML to PDF for which I am using this package (<https://www.npmjs.com/package/html-pdf>). But in this HTML I am also getting tables and that tables can come in any position in HTML. So I want to copy the table thead to another page if the table in the HTML exceeds more than 1 page. Can you please help me on this. Thanks in advance<issue_comment>username_1: ``` from collections import defaultdict a = [[1,2,3], [4,5], [1,2], [6,7]] # count how many times each item appears count = defaultdict(int) for l in a: for x in l: count[x] += 1 # keep only sublists where all element have a count of 1 [l for l in a if all(count[x] < 2 for x in l)] ``` Upvotes: 1 <issue_comment>username_2: The following solution is conceptually similar to one proposed by *username_1* but has a different implementation. ``` from collections import Counter from itertools import chain a = [[1,2,1], [4,5], [1,2], [6,7]] ``` Calculate the set of duplicates. If two items are repeated only within a sublist, they are not considered dups. First, get a counter of all items. ``` counter = Counter(chain(*map(set, a))) #Counter({2: 2, 1: 1, 4: 1, 5: 1, 3: 1, 6: 1, 7: 1}) dups = {val for val, count in counter.items() if count > 1} #{1,2} ``` Intersect the duplicates with each sublist and filter *out* the duped sublists: ``` list(filter(lambda sublist: not dups & set(sublist), a)) #[[4, 5], [6, 7]] ``` It works both for lists of lists and lists of tuples. Upvotes: 2 <issue_comment>username_3: You can check the intersection of each sublist with rest of the elements of list, if all of the intersections are empty then the element is not repeated ``` >>> d = [[1,2,3], [4,5], [1,2], [6,7]] >>> [a for a in d if all(len(set(a) & set(b)) == 0 for b in d if b!=a)] >>> [[4, 5], [6, 7]] ``` Upvotes: -1
2018/03/22
239
1,045
<issue_start>username_0: I would like to know how do we access an element (for ex -by classname) in JavaScript that is used with run script option in Automation anywhere for a specific website. The normal JavaScript operation with variables work in AA **but if i try using DOM elements it gives error as Document is undefined.** *I am trying this with JS as it is cross browser compatible and not using VBscript as it restricts only to IE.* Please share some example that highlights my problem scenario. Thanks in Advance.<issue_comment>username_1: Run Script runs the script under the Windows Scripting Runtime - I think thats what it is called - the AA manual for Run Script doesn't say what it uses. To access the browsers DOM you need the script to be run in the browser. Use Web Recorder / Execute javascript function. Upvotes: 0 <issue_comment>username_2: You can refer below bot for how to use jQuery for DOM manipulation in Automation Anywhere <https://botstore.automationanywhere.com/bot/dom-manipulations-using-jquery/> Upvotes: -1
2018/03/22
522
2,025
<issue_start>username_0: Is there a mechanism for soft delete at database level in `MySQL` and `Oracle`, Such that:- 1) All delete queries soft delete the data 2) All fetch queries do not fetch the soft delete data without any explicit where condition of filtering out the soft deleted data. 3) All update queries fire only on data that has not been soft deleted.<issue_comment>username_1: These examples are for MySQL, but the same examples apply also to Oracle. For queries, you can set up a [view](https://dev.mysql.com/doc/refman/5.7/en/create-view.html) that only shows non deleted rows. Then point your normal `SELECT`s to that view, and `SELECT`s which need to handle also soft deleted rows to the underlying table. I think that there is no soft delete support for built-in for other operations. Creating a view ``` CREATE VIEW my_active_stuff AS SELECT * where deleted is null FROM my_stuff_table; ``` Querying the view. Returns only undeleted rows. ``` SELECT * FROM my_active_stuff WHERE ... ``` You can read more about views in [the MySQL docs](https://dev.mysql.com/doc/refman/5.7/en/create-view.html). Upvotes: 1 <issue_comment>username_2: In Oracle there's a component called Workspace Manager that can do all this plumbing. <https://docs.oracle.com/database/121/ADWSM/long_intro.htm#ADWSM010> "Workspace Manager also creates a view on the original table (), as well as INSTEAD OF triggers on the view for insert, update, and delete operations. When an application executes a statement to insert, update, or delete data in a version-enabled table, the appropriate INSTEAD OF trigger performs the actual operation. When the view is accessed, it uses the workspace metadata to show only the row versions relevant to the current workspace of the user." Honestly, I'd build it into the application. There's often a lot of business logic involved (eg <NAME> has been soft-deleted, but needs to be inserted again. <NAME> needs to be REALLY deleted as per some privacy legislation...). Upvotes: 2
2018/03/22
886
3,178
<issue_start>username_0: I want to display **Resubmission** and **First Submission** (Both are Claim types) sepeartely based on the value of the related table. So i have used the below query to get both the record seperately. ``` SELECT ROUND(coalesce(SUM(c.ClaimNet), 0), 2) as net, MAX(c.ClaimID), count(c.ClaimID) as claims, MAX(h.TransactionDate) as TransactionDate, 'Resubmission' AS 'Claim Type' FROM Claim c LEFT OUTER JOIN ClaimHeader h on h.HeaderID = c.HeaderPKID INNER JOIN Resubmission r ON r.ClaimID = c.ClaimPKID WHERE h.HeaderType=2 UNION ALL SELECT ROUND(coalesce(SUM(c.ClaimNet), 0), 2) as net, MAX(c.ClaimID), count(c.ClaimID) as claims, MAX(h.TransactionDate) as TransactionDate, 'First Submission' AS 'Claim Type' FROM Claim c LEFT OUTER JOIN ClaimHeader h on h.HeaderID = c.HeaderPKID WHERE ClaimPKID NOT IN ( SELECT ClaimID FROM Resubmission GROUP BY ClaimID ) AND HeaderType=2 ``` In above query i have used `UNION ALL` to get datas from **Claim** table. If **Claim** Table primary key is used as a foreign key in **Resubmission** Table then it is a Resubmission Claim type and If it's not used in Resubmission table then it is First Submission. My problem is Eventhough there's no record in table for the specific select query it returns Null value with Mentioning of Claim Type. Please refer the screenshot below. [![enter image description here](https://i.stack.imgur.com/Hv6pB.png)](https://i.stack.imgur.com/Hv6pB.png)<issue_comment>username_1: These examples are for MySQL, but the same examples apply also to Oracle. For queries, you can set up a [view](https://dev.mysql.com/doc/refman/5.7/en/create-view.html) that only shows non deleted rows. Then point your normal `SELECT`s to that view, and `SELECT`s which need to handle also soft deleted rows to the underlying table. I think that there is no soft delete support for built-in for other operations. Creating a view ``` CREATE VIEW my_active_stuff AS SELECT * where deleted is null FROM my_stuff_table; ``` Querying the view. Returns only undeleted rows. ``` SELECT * FROM my_active_stuff WHERE ... ``` You can read more about views in [the MySQL docs](https://dev.mysql.com/doc/refman/5.7/en/create-view.html). Upvotes: 1 <issue_comment>username_2: In Oracle there's a component called Workspace Manager that can do all this plumbing. <https://docs.oracle.com/database/121/ADWSM/long_intro.htm#ADWSM010> "Workspace Manager also creates a view on the original table (), as well as INSTEAD OF triggers on the view for insert, update, and delete operations. When an application executes a statement to insert, update, or delete data in a version-enabled table, the appropriate INSTEAD OF trigger performs the actual operation. When the view is accessed, it uses the workspace metadata to show only the row versions relevant to the current workspace of the user." Honestly, I'd build it into the application. There's often a lot of business logic involved (eg <NAME> has been soft-deleted, but needs to be inserted again. <NAME> needs to be REALLY deleted as per some privacy legislation...). Upvotes: 2
2018/03/22
1,387
4,274
<issue_start>username_0: I'm working on a system and I'm trying to minimize the errors that timezones could introduce and so I'm using timestamp fields on the (postgresql) DB but I use seconds from UNIX epoch when I create the records and when I read the record (use `EXTRACT(EPOCH)` to read, use `TO_TIMESTAMP()` when inserting). This way I would be able to get rid of the timezone problem. or so I though. After digging a little bit I'm finding that postgresql is getting a little bit confused when reading the values from the table. Consider this query: ``` select current_timestamp, extract(EPOCH from current_timestamp), id, last_gps_read, extract(EPOCH from current_timestamp) - extract(EPOCH from last_gps_read) from sometable where id=1 ``` Which gives ``` now | date_part | id | last_gps_read | ?column? -------------------------------+------------------+----+--------------------------+----------------- 2018-03-21 23:26:07.263931-06 | 1521696367.26393 | 1 | 2018-03-21 23:26:00.5273 | 21606.736631155 ``` Notice how the dates are very close from each other (only roughly 7-second difference?). And so when I used the `extract(EPOCH from x)` trick I though that the difference would give me some 7 seconds.... instead I'm getting ~21607 (I'm on GMT-6, that explains why it's some 21600 seconds of difference). This is definitely not cool because that means that when reporting the seconds since UNIX epoch for both dates it's introducing the time zone somehow when reporting the seconds for the data coming from the table (I just checked and the seconds since UNIX epoch for current\_timestamp is correct). What is the rational for this? Cause it sounds A LOT like a bug to me. PS I could consider changing the field type on the DB to use an integer number to hold the actual seconds since UNIX epoch so I definitely get rid of this but it sounds like an overkill.<issue_comment>username_1: The difference is that `EXTRACT(EPOCH FROM ...)` always calculates the time relative to a time in GMT (the well-known `01.01.1970 00:00:00+00`). If you *convert* your *current time* to GMT, you will get the timestamp `2018-03-21 17:26:00.5273+00` which has a difference of 6 hours and approx 7 seconds, or approx `6 * 3600 + 7 = 21607` from the GPS timestamp. You may convert your GPS time to local time, or subtract `21600` from the timestamp difference to get the desired result. Upvotes: 1 <issue_comment>username_2: somewhat doubling @username_1 answer with samples... to match your timezone: ``` t=# set timezone to 'GMT+6'; SET ``` what you do: ``` t=# with c("ct", last_gps_read) as (values('2018-03-21 23:26:07.263931-06'::timestamptz,'2018-03-21 23:26:00.5273'::timestamp)) select ct , extract(EPOCH from ct) , last_gps_read , extract(EPOCH from ct) - extract(EPOCH from last_gps_read) from c; ct | date_part | last_gps_read | ?column? -------------------------------+------------------+--------------------------+----------------- 2018-03-21 23:26:07.263931-06 | 1521696367.26393 | 2018-03-21 23:26:00.5273 | 21606.736631155 (1 row) ``` what you should do: ``` t=# with c("ct", last_gps_read) as (values('2018-03-21 23:26:07.263931-06'::timestamptz,'2018-03-21 23:26:00.5273'::timestamp)) select ct , extract(EPOCH from ct) , last_gps_read , extract(EPOCH from ct - last_gps_read) from c; ct | date_part | last_gps_read | date_part -------------------------------+------------------+--------------------------+----------- 2018-03-21 23:26:07.263931-06 | 1521696367.26393 | 2018-03-21 23:26:00.5273 | 6.736631 (1 row) ``` why: you divide `double precision` from `double precision` and get `epoch aware of time zone` - `epoch not aware of timezone`. So your result is expected. And [documented](https://www.postgresql.org/docs/current/static/functions-datetime.html). What I propose doing is using `interval` for division on timestamps, no matter aware of time zone or not (as interval operates both) and THEN extracting the epoch from `interval`. This way you don't need to adjust your timezone or unify the timestamp with time zone to `AT TIME ZONE 'GTM'` or whatever... Upvotes: 0
2018/03/22
483
1,916
<issue_start>username_0: I am making api request with Alamofire.When my api failes it gives html response so alamofire return a error message as below > > Reponse ->FAILURE: > responseSerializationFailed(Alamofire.AFError.ResponseSerializationFailureReason.jsonSerializationFailed(Error Domain=NSCocoaErrorDomain Code=3840 "Invalid value around character 1." UserInfo={NSDebugDescription=Invalid value around character 1.})) > > > I tried below code ``` Alamofire.request(absolutePath(forApi: functionName), method: apiMethod, parameters: parameters, encoding: JSONEncoding.default, headers: defaultHeader()) .responseJSON { result in DILog.print(items: "URL -> \(self.absolutePath(forApi: functionName))") if let _ = parameters { DILog.print(items: "Parameters ->\(String(describing: parameters)) ") } DILog.print(items: "Headers ->\(self.defaultHeader()) ") DILog.print(items: "Reponse ->\(result) ") DILog.print(items: "Reponse1 ->\(result.value) ") DILog.print(items: "Reponse Code ->\(result.response?.statusCode) ") if let errorResponse = result.error { print(errorResponse.localizedDescription) failure(self.parseError(error: errorResponse)) } } ``` I want to print the error response as html returned by API. Please tell me how to do that.<issue_comment>username_1: Hope it helpful for you to print response from Alamofire <https://github.com/netguru/ResponseDetective> Upvotes: 0 <issue_comment>username_2: Convert the response data into string, like below ``` if let _ = result.error { print("--------- Error -------") if let responseData = result.data { let htmlString = String(data: responseData, encoding: .utf8) print(htmlString!) } } ``` Upvotes: 2
2018/03/22
298
1,041
<issue_start>username_0: Multiple selectors not working in jquery click event. I've used .merge(). It works for first two selectors. ``` var navLink = $("#carbonNavbar ul li a[href^='#']"); var sideIco = $("#sideIcons a[href^='#']"); var infoTag = $("a.scrl[href^='#']"); $.merge(infoTag, navLink, sideIco).on('click', function(e) { e.preventDefault(); var hash = this.hash; $('html, body').animate({ scrollTop: $(hash).offset().top }, 1000, function(){ // when done, add hash to url // (default click behaviour) window.location.hash = hash; }); }); ```<issue_comment>username_1: Hope it helpful for you to print response from Alamofire <https://github.com/netguru/ResponseDetective> Upvotes: 0 <issue_comment>username_2: Convert the response data into string, like below ``` if let _ = result.error { print("--------- Error -------") if let responseData = result.data { let htmlString = String(data: responseData, encoding: .utf8) print(htmlString!) } } ``` Upvotes: 2