I have two sheets. Test Data has 3-4k entries of many columns of data and Order Changes has no data at all. I would like to search two specific columns on Test Data, a column of names and a column of yes or no. If column two of Test Data contains a ‘yes’ in the cell then the name of that person would be placed into a cell on order changes.
This is what I have so far:
JavaScript
x
13
13
1
function isThreshold(){
2
3
var data = SpreadsheetApp.getActiveSpreadsheet().getSheetByName("Test Data");
4
var cdata = SpreadsheetApp.getActiveSpreadsheet().getSheetByName("Order Changes");
5
var lc = data.getLastColumn();
6
var lookUp = data.getRange(1,6,3,2).getValues();
7
8
lookUp.forEach(var info in lookUp){
9
10
}
11
Logger.log(lookUp);
12
}
13
I probably shouldn’t loop through that many entries but I don’t know of any other way. Should I combine the forEach loop with an if loop to get the desired result or use some other method?
Advertisement
Answer
I believe your goal as follows.
- You want to retrieve the values from the cells “F1:G” of sheet “Test Data”.
- You want to search
yes
from the column “G” and when the column “G” isyes
, you want to put the value of the column “F” to the sheet “Order Changes”.
Modification points:
SpreadsheetApp.getActiveSpreadsheet()
can be declared one time.- In this case, you can retrieve the values from the range of
"F1:G" + data.getLastRow()
of “Test Data”, and create the array for putting to the sheet “Order Changes”, and put it.
When above points are reflected to your script, it becomes as follows.
Modified script:
JavaScript
1
15
15
1
function isThreshold(){
2
var ss = SpreadsheetApp.getActiveSpreadsheet();
3
var data = ss.getSheetByName("Test Data");
4
var cdata = ss.getSheetByName("Order Changes");
5
var valuesOfTestData = data.getRange("F1:G" + data.getLastRow()).getValues();
6
var valuesForOrderChanges = valuesOfTestData.reduce((ar, [f, g]) => {
7
if (g.toLowerCase() == "yes") ar.push([f]);
8
return ar;
9
}, []);
10
if (valuesForOrderChanges.length > 0) {
11
cdata.getRange(1, 1, valuesForOrderChanges.length, valuesForOrderChanges[0].length).setValues(valuesForOrderChanges);
12
// or cdata.getRange(cdata.getLastRow() + 1, 1, valuesForOrderChanges.length, valuesForOrderChanges[0].length).setValues(valuesForOrderChanges);
13
}
14
}
15
- In this modified script, from your question, it supposes that the columns “F” and “G” are the value of name and
yes
orno
.