Google Sheets script - For each used cell in range 1, if cell value exists in range 2, get range 2 match's row number - google-apps-script

I feel I have this script almost working as intended, but I am unsure as to where to place certain components of the procedure within the for loop to achieve the desired result. Tunnel vision is very much in effect right now, it's entirely possible I am overthinking a simple task. Please let me know if I can describe the issue more clearly. Any suggestions or pointers towards an existing resource are helpful.
Setup: Sheet one contains a dynamic vertical list of text values starting in cell I3 going down. Sheet two contains a dynamic vertical list of text values starting in range A2 going down, and has a similar set of text values in the same rows in column B.
Goal:
Get the value of each used cell in Sheet1 column I (range one)
Get the value of each used cell in Sheet2 column A (range two)
For each used cell in range one, check the value of each range one
cell to see if the value exists in range two
If a match exists, get the row number of the cell in range two that
contains the value (there will only ever be a single match if a match
exists)
Get the value of the cell on that same row in Sheet2 column B
Set the above value as the cell value in the row containing the value
found in both ranges on Sheet1 Column M
Below is what I have been able to come up with. I am able to get it to function up to the last step. It seems the matching rowNumber variable is not updating with each for loop.
// Get values of range one
var lastRowRangeOne = sheetone.getRange('I3').getNextDataCell(SpreadsheetApp.Direction.DOWN).getRow();
var rangeOneValues = sheetone.getRange('I3:I' + lastRowClientColumn).getValues();
// Get values of range two
var sheettwo = spreadsheet.getSheetByName('Sheet2');
var sheettwoLastRow = sheettwo.getLastRow();
var sheettwoList = sheettwo.getRange('A2:A' + sheettwoLastRow).getValues();
var sheettwoListFlat = sheettwoList.map(function(row) {return row[0];});
for (var i = 0; i< rangeOneValues.length ; i++){ // for each row in range one
if (sheettwoListFlat[i] == rangeOneValues[i]) { // if the range one value exists in range two
var rowNumber = sheettwoListFlat.indexOf(rangeOneValues[i]) + 3; // get the row number of the matching value found in range two
var sheetOneColumnMValue = sheettwo.getRange('B' + rowNumber).getValue(); // get the cell value of the same row in sheet two column B
var sheetOneRowNumber = i + 3; // get the row number of the range one value
sheetone.getRange('M' + sheetOneRowNumber).setValue(sheetOneColumnMValue); // set the cell value of sheet one column M row x, where x is sheetOneRowNumber
}
}

If you print the value of sheettwoListFlat, it has only 5 elements. Once the iterator of for loop reaches 5 or more it will automatically set if (sheettwoListFlat[i] == rangeOneValues[i]) { to false. Also the statement will only work if the elements of the same index of both arrays are equal.
It would be also more efficient if you search the Sheet1 using the values of Sheet2 since Sheet2 has lesser value.
Here I used TextFinder to find the text within a range.
Using Sheet2 values as search key
Code:
function myFunction() {
var spreadsheet = SpreadsheetApp.getActiveSpreadsheet();
var sheetone = spreadsheet.getSheetByName('Sheet1');
var lastRowRangeOne = sheetone.getRange('I2').getNextDataCell(SpreadsheetApp.Direction.DOWN).getRow();
var rangeOneValues = sheetone.getRange('I2:I' + lastRowRangeOne);
var sheettwo = spreadsheet.getSheetByName('Sheet2');
var sheettwoLastRow = sheettwo.getLastRow();
var sheettwoList = sheettwo.getRange('A2:B' + sheettwoLastRow).getValues();
for (var i = 0; i < sheettwoList.length; i++){
var find = rangeOneValues.createTextFinder(sheettwoList[i][0]).findNext()
if(find){
var sheetOneRowNumber = find.getRow();
sheetone.getRange('M' + sheetOneRowNumber).setValue(sheettwoList[i][1]);
}
}
}
Using Sheet1 values as search key
Code:
function myFunction() {
var spreadsheet = SpreadsheetApp.getActiveSpreadsheet();
var sheetone = spreadsheet.getSheetByName('Sheet1');
var lastRowRangeOne = sheetone.getRange('I2').getNextDataCell(SpreadsheetApp.Direction.DOWN).getRow();
var rangeOneValues = sheetone.getRange('I2:I' + lastRowRangeOne).getValues();
var sheettwo = spreadsheet.getSheetByName('Sheet2');
var sheettwoLastRow = sheettwo.getLastRow();
var sheettwoList = sheettwo.getRange('A2:B' + sheettwoLastRow);
for (var i = 0; i< rangeOneValues.length ; i++){ // for each row in range one
var find = sheettwoList.createTextFinder(rangeOneValues[i][0]).findNext();
if(find){
var rowNumber = find.getRow()
var sheetOneColumnMValue = sheettwo.getRange('B' + rowNumber).getValue(); // get the cell value of the same row in sheet two column B
var sheetOneRowNumber = i + 2;
sheetone.getRange('M' + sheetOneRowNumber).setValue(sheetOneColumnMValue);
}
}
}
Output:
Note: Both produce the same output but using Sheet2 values as search key is more faster than the other.

function compareTwoCols() {
const c1 = 'COL1';//column names
const c2 = 'COL3';
const ss1 = SpreadsheetApp.openById(gobj.globals.datagenid);//data set 1
const sh1 = ss1.getSheetByName('Sheet1');
const [hd1, ...vs1] = sh1.getDataRange().getValues();
let col1 = {};
hd1.forEach((h, i) => { col1[h] = i });
const ds1 = vs1.map((r, i) => {
return r[col1[c1]];
});
const ss2 = SpreadsheetApp.openById(gobj.globals.ssid);//data set 2
const sh2 = ss2.getSheetByName('Sheet0');
const [hd2, ...vs2] = sh2.getDataRange().getValues();
let col2 = {};
hd2.forEach((h, i) => { col2[h] = i });
const ds2 = vs2.map((r, i) => {
return r[col2[c2]]
});
let matches = { pA: [] };
let idx = -1;
ds1.forEach((e, i) => {
let from = '';
do {
idx = ds2.indexOf(e, from);
if (~idx) {
if (!matches.hasOwnProperty(e)) {
matches[e] = [];
matches[e].push({ val1: e, row1: i + 2, col1: col1[c1] + 1, row2: idx + 2, col2: col2[c2] +1 });
matches.pA.push(e);
} else {
matches[e].push({ val1: e, row1: i + 2, col1: col1[c1] + 1, row2: idx + 2, col2: col2[c2] + 1});
}
from = idx + 1;
}
} while (~idx);
});
Logger.log(JSON.stringify(matches));
}
Spreadsheet1 Sheet1:
COL1
COL2
COL3
COL4
COL5
3
4
2
3
4
2
6
6
1
4
5
1
7
5
5
9
8
7
9
5
7
9
0
8
1
8
2
8
7
9
5
8
7
9
9
1
2
0
8
6
2
7
4
0
3
8
2
0
2
6
Spreadsheet2 Sheet0:
COL1
COL2
COL3
COL4
COL5
5
1
2
7
6
4
5
7
8
2
6
3
8
1
5
0
7
6
3
6
4
7
6
1
7
5
6
9
2
1
3
0
2
2
8
4
5
0
8
1
1
3
9
2
2
3
6
7
0
3
Matches Object:
{
"2":[
{
"val1":2,
"row1":3,//ds1 row 3
"col1":1,
"row2":2,//ds2 row 4
"col2":3
},
{
"val1":2,
"row1":3,//ds1 row 3
"col1":1,
"row2":8,//ds2 row 8
"col2":3
},
{
"val1":2,
"row1":10,
"col1":1,
"row2":2,
"col2":3
},
{
"val1":2,
"row1":10,
"col1":1,
"row2":8,
"col2":3
}
],
"7":[
{
"val1":7,
"row1":6,
"col1":1,
"row2":3,
"col2":3
},
{
"val1":7,
"row1":6,
"col1":1,
"row2":11,
"col2":3
}
],
"8":[
{
"val1":8,
"row1":7,
"col1":1,
"row2":4,
"col2":3
},
{
"val1":8,
"row1":11,
"col1":1,
"row2":4,
"col2":3
}
],
"9":[
{
"val1":9,
"row1":5,
"col1":1,
"row2":7,
"col2":3
},
{
"val1":9,
"row1":5,
"col1":1,
"row2":10,
"col2":3
}
],
"pA":[//just an array of all of the matches
2,
9,
7,
8
]
}

Related

Restarting a COUNTIF function depending on multiple criteria

I have a sheet with 4 columns, as shown below:
1
Date
Item Name
Counter
Flag
3
Date 1
Item A
1
4
Date 1
Item B
1
5
Date 2
Item B
2
6
Date 3
Item A
2
1
7
Date 3
Item B
3
8
Date 4
Item A
1
9
Date 5
Item A
2
Currently, I'm using a countif function [=countif(B$2:B2,B2)] to count the number of times a specific item appears in the spreadsheet. However, I need to find a way to restart the counter if there is a 1 in column D. In this case, this would mean that the formula in row 8 column C would be [=COUNTIF(B$8:B8,B8)] and would continue counting until it finds another row with a 1 in column D (e.g., formula in column C row 9 would be =COUNTIF(B$8:B9,B9). It would also ideally check whether there is a prior row with a 1 in column D, not through the order of the sheet, but by checking that it's date is smaller (and yet the closest date with a 1 in column D).
I've written the following script, which sets the row with a 1 in column D to 0 and sets the countif for the starting rows correctly to [=countif(B$2:B2,B2)], but it sets any row after there is a row with a 1 in column D as the same formula, with the starting range at B$2.
function setCountifFormula() {
var sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName("Test");
var data = sheet.getDataRange().getValues();
for (var i = 1; i < data.length; i++) { //iterate through each row
var colBValue = data[i][1]; //get columnB in i
var colAValue = data[i][0]; // get date in i
var colDValue = data[i][3]; // get flag in i
var closestRow = 1; // empty variable
if( colDValue == "1") { //if columnD = 1
sheet.getRange(i+1,3).setValue(0); // set columnC = 0
} else {
for (var j = 1; j < data.length; j++) { //iterate through other rows
if (data[j][1] === colBValue && data[j][3] === "1") { // if columnB in j = ColumnB in i, and flag in row j = 1
var dateToCompare = data[j][0]; //set datetoCompare = date in row j
closestRow = j;
if (dateToCompare < colAValue) {
var range = "B$" + (closestRow + 1) + ":B" + (i + 1);
var formula = "=COUNTIF(" + range + ",B" + (i + 1) + ")";
sheet.getRange(i + 1, 3).setFormula(formula);
} else {
var range = "B$2:B" + (i+1);
var formula = "=COUNTIF(" + range + ",B" + (i+1) + ")";
sheet.getRange(i+1, 3).setFormula(formula);
}
}
}
if (closestRow === 1) {
var range = "B$2:B" +(i+1);
var formula = "=COUNTIF("+range +",B"+(i+1)+")";
sheet.getRange(i+1,3).setFormula(formula);
}
}
}
}
I can post the spreadsheet if needs be. If there is a different way without using scripts or COUNTIF, it'd be appreciated. Thanks!
I'm much better at scripting than complex formulas so here is an example of how I would do it.
function myCountif() {
try {
let values = SpreadsheetApp.getActiveSheet().getDataRange().getValues();
values.shift(); // remove headers
let unique = values.map( row => row[1] );
unique = [...new Set(unique)];
let count = unique.map( row => 0 );
let counts = values.map( row => 0 );
values.forEach( (row,rIndex) => {
let cIndex = unique.findIndex( item => item === row[1] );
count[cIndex] = count[cIndex]+1;
counts[rIndex] = count[cIndex];
if( row[3] === 1 ) count[cIndex] = 0;
}
)
return counts;
}
catch(err) {
console.log(err);
}
}
Reference
Array.shift()
Array.map()
Set Object
Array.forEach()
Array.findIndex()
Arrow function =>

If dynamic values exist somewhere else then format those values

I am looking to find if non-consecutive dynamic values are found in another sheet B. If so, I want to format those values in Sheet A.
The problem with my code is that it is going through a range while the values I am looking for are not consecutive. So I'm not sure if a for loop is what should be used in this case.
function homeBoxlianTasks() {
var ss = SpreadsheetApp.getActiveSpreadsheet();
var todolistsheet = ss.getSheetByName("To-Do List")
var todolistliantaskvalues = todolistsheet.getRange("B6:B").getValues();
var todolistlianbackground = todolistsheet.getRange("B6:B").getBackgrounds()
var homeboxsheet = ss.getSheetByName("HomeBox");
var homeboxtaskvalues = homeboxsheet.getRange("homeboxtodotasks").getValues();
var backgrounds = [];
var fontLines = [];
//for each row that data is present
for(var i = 0; i < homeboxtaskvalues.length; i++) {
var ltValue = todolistliantaskvalues[i][0];
var hValue = homeboxtaskvalues[i][0];
var lbValue = todolistlianbackground[i][0];
if((hValue === ltValue) && lbValue === '#d9ead3') {
backgrounds.push(["#d9ead3"]);
fontLines.push(['line-through']);
}
else {
backgrounds.push([null]);
fontLines.push([null]);
}
}
homeboxsheet.getRange("homeboxtodotask1").setFontLines(fontLines).setBackgrounds(backgrounds);
}
Based on your reply:
I have 2 employees with a to-do list one under the other. Every time a task is done, there is a checkbox which will highlight and scratch the task in SheetA. I want that task to be also highlighted and scratched in Sheet B.
Try using an onEdit() trigger. Try the following code:
function onEdit(e) {
var ss = SpreadsheetApp.getActiveSpreadsheet();
var sheet = ss.getActiveSheet();
var summarySheet = ss.getSheetByName("Sheet1");
var range = e.range
var row = range.getRow()
var col = range.getColumn()
if (sheet.getName() == "Sheet0" && col == 1) {
var taskCell = sheet.getRange(row, col + 1)
var taskName = taskCell.getValue();
if (range.isChecked()) {
taskCell.setFontLine("line-through");
} else {
taskCell.setFontLine(null);
}
var checker = range.isChecked();
while (checker != null) {
row = row - 1
checker = sheet.getRange(row, col).isChecked();
}
var name = sheet.getRange(row - 1, col + 1).getValue();
var sumSheetRow = summarySheet.createTextFinder(name).findNext().getRow();
var sumSheetLastCol = summarySheet.getLastColumn();
var sumSheetCol = summarySheet.getRange(sumSheetRow,2,1,sumSheetLastCol-1).createTextFinder(taskName).findNext().getColumn();
var sumSheetTaskCell = summarySheet.getRange(sumSheetRow, sumSheetCol);
if (range.isChecked()) {
sumSheetTaskCell.setFontLine("line-through");
} else {
sumSheetTaskCell.setFontLine(null);
}
}
}
Result:
This also removes the strikethrough if unchecked:
Hope this helps!
EDIT:
Try:
var ss = SpreadsheetApp.getActiveSpreadsheet();
var sh0 = ss.getSheetByName("Sheet0");
var sh1 = ss.getSheetByName("Sheet1");
function test() {
loopThroughTasks("Gaelle")
loopThroughTasks("Lian")
}
function loopThroughTasks(name) {
//ADD THE NAME AND RANGE IF NEEDED
if (name == "Gaelle") {
//Fixed Range and Start Row for Gaelle
var tasks = sh0.getRange("A6:B21").getValues();
var row = 6
} else if (name == "Lian") {
//Fixed Range and Start Row for Lian
var tasks = sh0.getRange("A24:B33").getValues();
var row = 24
}
for (var i = 0; i < tasks.length; i++) {
if (tasks[i][0] === 'Y') {
var sh1Cell = sh1.createTextFinder(tasks[i][1]).findNext().getCell(1, 1).getA1Notation()
sh0.getRange(row, 2).setBackground('#d9ead3')
.setFontLine('line-through');
sh1.getRange(sh1Cell).setBackground('#d9ead3')
.setFontLine('line-through');
} else if (tasks[i][0] === 'N' && tasks[i][1] != "") {
var sh1Cell = sh1.createTextFinder(tasks[i][1]).findNext().getCell(1, 1).getA1Notation()
sh0.getRange(row, 2).setBackground('#fff2cc')
.setFontLine(null);
sh1.getRange(sh1Cell).setBackground('#fff2cc')
.setFontLine(null);
};
row++
}
}
This is essentially your code:
function myfunk() {
var ss = SpreadsheetApp.getActive();
var sh1 = ss.getSheetByName("Sheet0")
var vs1 = sh1.getRange("B6:B" + sh1.getLastRow()).getValues();
var bg1 = sh1.getRange("B6:B" + sh1.getLastRow()).getBackgrounds()
var sh2 = ss.getSheetByName("Sheet1");
var vs2 = sh2.getRange("B6:B" + sh2.getLastRow()).getValues();
var backgrounds = [];
var fontLines = [];
for (var i = 0; i < vs2.length; i++) {
if ((vs2[i][0] === vs1[i][0]) && bg1[i][0] === '#ffffff') {
backgrounds.push(["#ffff00"]);
fontLines.push(['line-through']);
} else {
backgrounds.push([null]);
fontLines.push([null]);
}
}
sh2.getRange(6,2,fontLines.length,1).setFontLines(fontLines).setBackgrounds(backgrounds);
sh1.getRange(6,2,fontLines.length,1).setFontLines(fontLines).setBackgrounds(backgrounds);
}
Both sheet contain the same data
Sheet0:
COL1
COL2
COL3
COL4
COL5
COL6
COL7
COL8
COL9
COL10
7
10
9
3
10
5
7
1
10
7
0
2
4
0
9
9
9
7
7
3
1
6
2
6
4
9
1
8
8
3
2
1
8
5
1
1
4
4
1
10
0
6
10
8
5
10
1
10
10
7
9
7
0
9
5
8
6
3
10
5
8
7
9
7
8
3
0
1
5
9
6
1
4
9
5
6
4
0
6
7
2
2
8
7
5
6
8
10
7
7
6
0
1
9
4
9
7
2
7
0
0
4
8
1
2
4
4
0
2
2
Image of highlight output:
Non consecutive values can be found it's simply a line by line search. If it finds to elements in column B that are identical it highlight and strikes through.

Sum two columns and display on third column

I want to sum two columns that have numerical values and display the results on the third column. I have the script below but that deletes the two columns and display the results on the first column.
Any suggestions?
function test2() {
var ss = SpreadsheetApp.getActiveSheet();
var rng = ss.getRange('E2:F6');
var val = rng.getValues();
for(row=0;row<val.length;row++) {
val[row][0] =val[row][0]+val[row][1];;
val[row][1] = '';
}
rng.setValues(val)
}
Try this instead. Just get the colum G and overwrite anything in it with the sum.
function test() {
var ss = SpreadsheetApp.getActiveSheet();
var rng = ss.getRange('E2:G6'); // just get the extra column
var val = rng.getValues();
for(row=0;row<val.length;row++) {
val[row][2] = val[row][0]+val[row][1];
val[row][1] = '';
}
rng.setValues(val)
}
Using map:
function one() {
const ss = SpreadsheetApp.getActive();
const sh = ss.getActiveSheet();
const vs = sh.getRange('E2:F6').getValues().map(r => [r[0],r[1],r[0]+r[1]]);
sh.getRange(2,5,vs.length,vs[0].length).setValues(vs);
}
E
F
G
1
COL5
COL6
2
5
6
11
3
6
7
13
4
7
8
15
5
8
9
17
6
9
10
19
Array.map

Hide rows in several sheets based on cell value

I have a working script that hides rows in multiple tabs of a Google Sheet based on the value in Column T (note, there are more tabs in the sheet that I don't want it to work from - just the ones in the script). My issue is, it unhides all of the hidden rows first and then re-hides them including the new one...is there an adaptation I can make to the script so that it leaves all the currently hidden rows hidden and just hides the newly updated one?
function hideRows() {
var ss = SpreadsheetApp.getActiveSpreadsheet().getActiveSheet();
var only = ['Franke Fault', 'Selecta Vending Machines', 'Vivreau'
];
if (only.indexOf(ss.getName()) == -1) return;
var r = ss.getRange('T:T');
var v = r.getValues();
for(var i=v.length-1;i>=0;i--)
if (v[0, i] > 10)
ss.hideRows(i+1);
};
Thank you, any help would be greatly appreciated
Try it this way:
I tested this and works for me
function hideRows() {
var ss = SpreadsheetApp.getActiveSpreadsheet().getActiveSheet();
var only = ['Franke Fault', 'Selecta Vending Machines', 'Vivreau','Sheet0' ];
if (~only.indexOf(ss.getName())) {
var v = ss.getRange(1, 20, ss.getLastRow()).getValues();
v.forEach((r, i) => {
if (r[0] > 10) {
ss.hideRows(i + 1)
}
});
}
}
Before:
COL20
5
15
3
5
1
3
7
2
12
4
6
17
0
4
0
7
2
2
19
9
After:
COL20
5
3
5
1
3
7
2
4
6
0
4
0
7
2
2
9
Keep in mind it hides them but it does not remove them if you try to copy and paste the then you will get all of the data and not just the hidden ones

Google Sheets: split cells vertically and copy surrounding row entries

I need to do the following to optimize this sheet:
split each multi-line cell in column B so each email address will appear on a new row inserted under the original row.
Copy the data from cells in column A on the original row
I tried split+transpose formulas and a script I found here, but that is returning an error.
Here is the script:
function split_rows2(anArray) {
var res = anArray.reduce(function(ar, e) {
var splitted = e.slice(3, 12).map(function(f) {return f.toString().split(",").map(function(g) {return g.trim()})});
var temp = [];
for (var j = 0; j < splitted[0].length; j++) {
temp.push(e.slice(0, 3).concat(splitted.map(function(f) {return f[j] ? (isNaN(f[j]) ? f[j] : Number(f[j])) : ""})).concat(e.slice(12, 20)));
}
Array.prototype.push.apply(ar, temp);
return ar;
}, []);
return res;
}
=ArrayFormula(QUERY(SPLIT(FLATTEN({A2:A&"♦"&SPLIT(B2:B,",")}),"♦"),"select * where Col2 is not null",0))
Before:
Col1
Col2
A
1,2,3
B
4,5
After:
Col1
Col2
A
1
A
2
A
3
B
4
B
5
A multiline cell implies that they are delimited by line feeds '\n' not commas
function myfunk() {
const ss = SpreadsheetApp.getActive();
const sh = ss.getSheetByName('Sheet0');
let vs = sh.getRange(2, 1, sh.getLastRow() - 1, sh.getLastColumn()).getValues();
sh.getRange(2, 1, sh.getLastRow() - 1, sh.getLastColumn()).clearContent();
vs.forEach((r, i) => {
let t = r[1].toString().split('\n');
if (t.length > 1) {
t.forEach((e, j) => {
if(j == 0) {
r[1] = e;
} else {
let arr = Array.from(r, x => '');
arr[1] = e;
vs.splice(i + j, 0 , arr)
}
});
}
});
sh.getRange(2, 1, vs.length, vs[0].length).setValues(vs);
}
Sheet 0 after:
COL1
COL2
COL3
COL4
0
4
19
17
5
8
10
7
0
a
21
19
b
c
9
14
17
0