Google Script IF Statement - javascript

Can someone help me to convert the below condition to Google Script?
I have Column A and Column B and I need to get result in Column C.
Condition:
If A="Good" and B="5star" then C="OK"
If A="Fair" and B="5star" then C="OK"
If A!="Fair" or A!= "Good" and B="1star" then C="OK"
all other cases should be "NOK"
Note: != means not equal I mean.

You can use regular if/else if statements but I think ternary operators are cleaner:
function myFunction(){
const ss = SpreadsheetApp.getActiveSpreadsheet();
const sh = ss.getSheetByName("Sheet1");
const vals = sh.getRange("A2:B"+sh.getLastRow()).getValues();
const cvals = [];
vals.forEach(r=>{
cvals.push( [
["Good","Fair"].includes(r[0]) && r[1]=="5star" ||
!["Good","Fair"].includes(r[0]) && r[1]=="1star"?"OK":"NOK"
])
});
sh.getRange(2,3,cvals.length,1).setValues(cvals);
}
With an if condition, it would be:
function myFunction(){
const ss = SpreadsheetApp.getActiveSpreadsheet();
const sh = ss.getSheetByName("Sheet1");
const vals = sh.getRange("A2:B"+sh.getLastRow()).getValues();
const cvals = [];
vals.forEach(r=>{
if(["Good","Fair"].includes(r[0]) && r[1]=="5star" ||
!["Good","Fair"].includes(r[0]) && r[1]=="1star")
{cvals.push(["OK"])}
else{cvals.push(["NOK"])};
});
sh.getRange(2,3,cvals.length,1).setValues(cvals);
}
And here is how you can get the columns separately in case you have a non-contiguous range:
function myFunction(){
const ss = SpreadsheetApp.getActiveSpreadsheet();
const sh = ss.getSheetByName("Sheet1");
const col1 = sh.getRange("A2:A"+sh.getLastRow()).getValues().flat();
const col2 = sh.getRange("B2:B"+sh.getLastRow()).getValues().flat();
const cvals = [];
col1.forEach((_,i)=>{
cvals.push( [
["Good","Fair"].includes(col1[i]) && col2[i]=="5star" ||
!["Good","Fair"].includes(col1[i]) && col2[i]=="1star"?"OK":"NOK"
])
});
sh.getRange(2,3,cvals.length,1).setValues(cvals); // 2 means second row, 3 means column C
}

Related

How do I turn this search function to show only records that belong to that particular user?

I was able to filter out the displayed data on first load for a particular user by searching a column by using Tanaike's method in this thread. The search functions works fine but the thing is, the user can also search for other people's record in the google sheet as long as they search for a value existing in the spreadsheet. I am thinking of a way to add a second && condition to show only the rows that only matches that currentUser's username (in column C) and the searched value.
function displayOwnRecordSearch(currentUser, searchedValue){
var spreadsheetId = "";
var sheetName = "";
var column = 3;
var [, ...data] = Sheets.Spreadsheets.Values.get(spreadsheetId, sheetName).values;
var arr = [];
if(searchedValue !== undefined) {
const validateText = (query) => {
let regex = new RegExp(searchedValue, 'i')
return regex.test(query)
}
data.forEach(d => {
if (validateText(d)) {
arr.push(d);
}
});
}else{
const validateText = (query) => {
let regex = new RegExp(currentUser, 'i')
return regex.test(query)
}
data.forEach(d => {
if (validateText(d[column - 1])) {
arr.push(d);
}
});
}
return arr;
}
In your situation, how about using fiter as follows?
Modified script:
function displayOwnRecordSearch(currentUser, searchedValue) {
var spreadsheetId = "###";
var sheetName = "###";
var columnForCurrentUser = 3; // Column "C".
var columnForSearchedValue = 5; // Column "E". This is from https://stackoverflow.com/q/75066197 (your previous question)
var [, ...data] = Sheets.Spreadsheets.Values.get(spreadsheetId, sheetName).values;
var arr = data.filter(r => (new RegExp(currentUser, 'i')).test(r[columnForCurrentUser - 1]) && (new RegExp(searchedValue, 'i')).test(r[columnForSearchedValue - 1]));
// console.log(arr); // You can check the value in the log.
return arr;
}
In this modification, From your previous question, I used var columnForSearchedValue = 5; as the column for searchedValue.
Or, I think that var [, ...data] = Sheets.Spreadsheets.Values.get(spreadsheetId, sheetName).values; can be also modified as follows.
var sheet = SpreadsheetApp.openById(spreadsheetId).getSheetByName(sheetName);
var data = sheet.getRange(2, 1, sheet.getLastRow() - 1, sheet.getLastColumn()).getValues();
Reference:
filter()

Batch request removing empty rows and columns

I need to create a script which deletes all empty rows and columns (with no value in any cell of the row/column) from indicated sheet starting from 1 column/row, at the same time - using batch update. I have found a script here and tried to suit it to my need.
I have modified it like below, but I do something wrong with function arguments (and probably something else).
function clear(){
const sheetName = "Parser"; // Please set the sheet name.
const ss = SpreadsheetApp.getActiveSpreadsheet();
const sh = ss.getSheetByName(sheetName);
const sheetId = sh.getSheetValues;
var values = sh.getRange('B1:B').getValues();
var requests = values.reduce((ar, value) => {
var maxColumns = sh.getMaxColumns();
var lastColumn = sh.getLastColumn();
var maxRows = sh.getMaxRows();
var lastRow = sh.getLastRow();
if (lastRow == 0 && lastColumn == 0 && maxRows > 1 && maxColumns > 1) {
ar.push({deleteDimension: {range: {sheetId: sheetId, dimension: "ROWS", startIndex: 1}}});
ar.push({deleteDimension: {range: {sheetId: sheetId, dimension: "COLUMNS", startIndex: 1}}});
}
Logger.log(ar);
return ar;
}, []);
if (requests.length > 0) {
Sheets.Spreadsheets.batchUpdate({requests: requests}, id);
}
};
Begging for help!
From:
to:
Try:
function clean() {
const sheetName = "Parser"
const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName(sheetName)
const cleanRows = sheet.getDataRange()
.getValues()
.filter(row => !row.every(cell => cell === ``))
const cleanCols = cleanRows[0].map((_, index) => cleanRows.flatMap(row => row[index]))
.filter(col => !col.every(cell => cell === ``))
const values = cleanCols[0].map((_, index) => cleanCols.flatMap(row => row[index]))
sheet.getDataRange().clearContent()
sheet.getRange(1, 1, values.length, values[0].length).setValues(values)
if (sheet.getLastRow() !== sheet.getMaxRows()) sheet.deleteRows(sheet.getLastRow()+1, sheet.getMaxRows()-sheet.getLastRow())
if (sheet.getLastColumn() !== sheet.getMaxColumns()) sheet.deleteColumns(sheet.getLastColumn()+1, sheet.getMaxColumns()-sheet.getLastColumn())
}
This will filter out all empty rows, rotate the array, filter out all empty 'columns', then rotate the array back and update the sheet.
function clear() {
const sheetName = "Parser"
const sheet = SpreadsheetApp.getActiveSpreadsheet().getSheetByName(sheetName)
sheet.getRange(2, 1, sheet.getLastRow()-1, sheet.getLastColumn()).clearContent()
}
Let me know if this works for you!
Clean() Result:

How do I write a loop that concatenates my data with a word?

I have a list of words in Column A. All I want to do is add the word "MASTER" to each word and copy and paste it to another column. Here's what I have that isn't working. How do I correct my loop to make it work.
function myJoin() {
var sheet1 = SpreadsheetApp.getActiveSpreadsheet();
var sh0 = sheet1.getSheets()[0];
var lastRow = sh0.getLastRow();
var range = sh0.getRange(1,1,lastRow,1);\\destination row
var range2 = sh0.getRange(1,2,lastRow,1).getValue();\\my data
for(var i=0;i<=lastRow;i++){
range.setValue(range2[i]+"MASTER");
}
}
function myJoin() {
var ss = SpreadsheetApp.getActive();
//var sh = ss.getSheetByName('Sheet0');//my sheet 0 was something else
var sh = ss.getSheets()[0];
var vs = sh.getRange(1, 1, sh.getLastRow(), 1).getValues();
let vA = vs.map(r => {
return [r[0] + "Master"]
});
sh.getRange(1, 2, vA.length, vA[0].length).setValues(vA);
}
Learn More

Merge the following regular function and onEdit function to obtain the desired result

I want to merge these two functions below to get the desired output which is the following:
Lets assume, we have size variations available in Column E of Sheet 1. So, I want the function to copy each record in sheet 1 to sheet 2. But, each copied records gets copied multiple times depending on the number of size variations available (Col E); plus, one copy which will not contain the size variation just the product info. Basically, first copy of the record will just contain info such as product, color, purchase date. Following copies of this record will contain the size variations but not the purchase date.
For reference dummy sheet link: https://docs.google.com/spreadsheets/d/1_-978mgxiRrN5LcLFALtfrhMm_ULSy_jhS2kbYrGLNk/edit?usp=sharing
function myFunction() {
const ss = SpreadsheetApp.getActive();
const sh1 = ss.getSheetByName('Sheet 1');
const sh2 = ss.getSheetByName('Sheet 2');
const sizes = sh1.getRange('E2:E5').getValues().flat();
const vals1 = sh1.getRange('A2:D'+sh1.getLastRow()).getValues();
const values = vals1.filter(r=>r[0]==true).map(([,b,c,d])=>[b,c,d]);
const emptyAr = [...new Array(3)].map(elem => new Array(3));
const valuesAr = values.flatMap(r=>[r,...emptyAr]);
const sizesAr = new Array(values.length).fill(sizes).flat().map(c=>[c]);
const lrow = sh2.getLastRow();
sh2.getRange(lrow+1,2,valuesAr.length,valuesAr[0].length).setValues(valuesAr);
sh2.getRange(lrow+1,11,sizesAr.length,sizesAr[0].length).setValues(sizesAr);
}
function onEdit(e) {
const rng = e.range;
const row = rng.getRow();
const col = rng.getColumn();
const sh = rng.getSheet();
if(sh.getName()=="Sheet 1" && col == 1 && e.value=="TRUE") {
const tsh=e.source.getSheetByName("Sheet 2");
const nr=tsh.getLastRow()+1;
const size = sh.getRange("E2:E").getValues().filter(String);
const len = size.length;
const product = new Array(len).fill([sh.getRange(row,2).getValue()]);
const color = new Array(len).fill([sh.getRange(row,4).getValue()]);
tsh.getRange(nr,2,product.length,1).setValues(product);
tsh.getRange(nr,4,color.length,1).setValues(color);
tsh.getRange(nr,11,size.length,1).setValues(size);
}
}
Explanation:
You want to copy the product and color based on the number of the size elements.
Replace:
const valuesAr = values.flatMap(r=>[r,...emptyAr]);
with:
const valuesAr = values.flatMap(r=>[...new Array(sizes.length)].map(elem => r));
and you can now delete emptyAr and you can also get rid of the onEdit trigger if you don't need it.
Solution:
function myFunction() {
const ss = SpreadsheetApp.getActive();
const sh1 = ss.getSheetByName('Sheet 1');
const sh2 = ss.getSheetByName('Sheet 2');
const sizes = sh1.getRange('E2:E5').getValues().flat();
const vals1 = sh1.getRange('A2:D'+sh1.getLastRow()).getValues();
const values = vals1.filter(r=>r[0]==true).map(([,b,c,d])=>[b,c,d]);
const valuesAr = values.flatMap(r=>[...new Array(sizes.length)].map(elem => r));
const sizesAr = new Array(values.length).fill(sizes).flat().map(c=>[c]);
const lrow = sh2.getLastRow();
sh2.getRange(lrow+1,2,valuesAr.length,valuesAr[0].length).setValues(valuesAr);
sh2.getRange(lrow+1,11,sizesAr.length,sizesAr[0].length).setValues(sizesAr);
}

SetValues() to two different cell ranges together in Google Sheet

I have two spreadsheet books.
BookA
BookB
I have sheet names of BookB stored in BookA.
I want to search through all the sheets in BookB that matches the sheet name stored in BookA. If a sheet is found get the values in Cell 'A3' and paste it in BookA in front of the respective sheet name.
(I have managed to achieve this task successfully. Issue comes now. Brace yourselves)
I want to get the 'File Format' details without duplicates from the sheets of BookB and paste that in the sheet of BookA in front of the page name. May be my way is not correct. If someone can help I am grateful.
Note that File Format details are mentioned in two different ranges in the given two sheets. ALBW - D6:D21 and BFLCB - F6:F21
const pmsRange = 'A3' // the cell in book B sheet i that you want to copy
function getFileFormat(){
const ssA = SpreadsheetApp.openById(bookAId);
const sA = ssA.getSheetByName(sheetA);
const sheetNames = sA.getRange('G2:G').getValues().reduce((names, row) => row[0] !== '' ? names.concat(row[0]) : names ,[]);
const ssB = SpreadsheetApp.openById(bookBId);
const valuesFromSheetB = []; // collect the values you find in each sheet of book B
for (const sheetName of sheetNames) {
const sheet = ssB.getSheetByName(sheetName);
if (!sheet) {
valuesFromSheetB.push(['Sheet Not Found']);
continue;
}
const value = sheet.getRange(pmsRange).getValue(); // get the value from the range you specified
var array1 = [{}];
var string1 = value;
array1 = string1.split(/[:\n]/);
var pms = array1[1];
pms = pms.replace(/\s+/g, '');
if(pms.toLowerCase()=="onq"){
console.log(sheetName+":"+pms);
var col0 = exts.map(function(value,index) { return value[0]; });
const distinct = (value, index, self) =>{ return self.indexOf(value)===index;}
var unq = col0.filter(distinct).toString();
console.log(unq)
extsFromSheetB.push([unq])
}
sA.getRange(2, 8, valuesFromSheetB.length, 1).setValues(valuesFromSheetB); // paste all of the values you collected into the paste range you specified in book A
}
}
These edits should get you what you need. The script will find sheets in book B whose names are listed in book A. Once a sheet is found, it will check to see if the value in the pmsRange of that sheet contains the pmsSearchValue. If it does, then it will store all of the file formats separated by ' / '. If it doesn't then it will store ''. Finally, after iterating over every sheet name collected from book A, it will paste the file formats into the paste range that you specified in your example.
const pmsRange = 'A3' // the cell in book B sheet i that you want to copy
const pmsSearchValue = 'OnQ';
const fileFormatCol = 4 // column D
const fileFormatRow = 6 // first row containing file formats
function getFileFormat(){
const ssA = SpreadsheetApp.openById(bookAId);
const sA = ssA.getSheetByName(sheetA);
const sheetNames = sA.getRange('G2:G').getValues().reduce((names, row) => row[0] !== '' ? names.concat(row[0]) : names ,[]);
const ssB = SpreadsheetApp.openById(bookBId);
const fileFormatsFromBookB = []; // collect the values you find in each sheet of book B
for (const sheetName of sheetNames) {
const sheet = ssB.getSheetByName(sheetName);
if (!sheet) continue;
const pmsCell = sheet.getRange(pmsRange).getValue();
if (pmsCell && pmsCell.indexOf(pmsSearchValue)) {
const fileFormatRange = sheet.getRange(fileFormatRow, fileFormatCol, sheet.getLastRow(), 1);
const fileFormats = fileFormatRange.getValues().filter(f => f !== '').join(' / ');
fileFormatsFromBookB.push([fileFormats]);
} else {
fileFormatsFromBookB.push(['']);
}
sA.getRange(2, 10, fileFormatsFromBookB.length, 1).setValues(fileFormatsFromBookB); // paste all of the values you collected into the paste range you specified in book A
}
}
References: None. This is mostly vanilla javascript taking advantage of the Apps Script Spreadsheet Class that you are already using in the sample in your question.
I managed to get the code edited by #RayGun to to fit to my requirement. Thank you. Posting the code here if someone else face the same issue as me.
const pmsRange = 'A3' // the cell in book B sheet i that you want to copy - pms
const pmsOnq = 'onq';
const pmsFosse = 'fosse'
const pmsGalaxy = 'galaxylightspeed'
const pmsOpera = 'opera'
const fileFormatCol = 4 // column D
const fileFormatRow = 6 // first row containing file formats
const operaCol = 6 // column F
const operaRow = 6 // first row of opera file formats
function getFileFormat(){
const ssA = SpreadsheetApp.openById(bookAId);
const sA = ssA.getSheetByName(sheetA);
const sheetNames = sA.getRange('G2:G').getValues().reduce((names, row) => row[0] !== '' ? names.concat(row[0]) : names ,[]);
const ssB = SpreadsheetApp.openById(bookBId);
const fileFormatsFromBookB = []; // collect the values you find in each sheet of book B
for (const sheetName of sheetNames) {
const sheet = ssB.getSheetByName(sheetName);
if (!sheet){
fileFormatsFromBookB.push(['Sheet Not Found'])
continue;
}
const pmsCell = sheet.getRange(pmsRange).getValue();
var array1 = [{}];
var string2 = pmsCell;
array1 = string2.split(/[:\n]/);
var pms = array1[1];
pms = pms.replace(/\s+/g, '').toLowerCase();
console.log(sheetName)
console.log(pms)
if (pms==pmsOnq || pms==pmsFosse || pms==pmsGalaxy) {
const fileFormatRange = sheet.getRange(fileFormatRow, fileFormatCol, sheet.getLastRow(), 1);
const fileFormats = fileFormatRange.getValues();
var col0 = fileFormats.map(function(value,index) { return value[0]; });
const distinct = (value, index, self) =>{ return self.indexOf(value)===index;}
var unq = col0.filter(distinct).toString();
fileFormatsFromBookB.push([unq]);
}
if(pms==pmsOpera){
const fileFormatRange = sheet.getRange(operaRow, operaCol, sheet.getLastRow(), 1);
const fileFormats = fileFormatRange.getValues();
var col0 = fileFormats.map(function(value,index) { return value[0]; });
const distinct = (value, index, self) =>{ return self.indexOf(value)===index;}
var unq = col0.filter(distinct).toString();
fileFormatsFromBookB.push([unq]);
}
/*else {
fileFormatsFromBookB.push(['']);
}*/
sA.getRange(2, 10, fileFormatsFromBookB.length, 1).setValues(fileFormatsFromBookB); // paste all of the values you collected into the paste range you specified in book
}
}
Note that you have to remove that else part of if statement. Otherwise it skips a cell and gives a result in a wrong range.

Categories

Resources