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

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.

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()

Google Apps Script to find and update rows in target sheet by unique ID and add unique rows if unique ID is not in the target sheet

Good day folks! I have this codes in which I want to combine into one, but having trouble to do so.
This is the first code in which the data is copied from source sheet to target sheet added to the after the last row with data
function DE() {
let spreadSheet = SpreadsheetApp.getActiveSpreadsheet(); // activates the opened document
let sourceSheet = spreadSheet.getSheetByName('Support Sheet'); // selects the sheet where the data will be coming from
let sourceSheet2 = spreadSheet.getSheetByName('Data Entry'); // selects the sheet where the sheet name contains
let sourceRange = sourceSheet.getDataRange();
let sourceRange2 = sourceSheet2.getDataRange();
let sourceValues = sourceRange.getValues();
let sourceValues2 = sourceRange2.getValues();
let sheetName = sourceValues2[1][1];
sourceValues = sourceValues.slice(1).map(row => row.slice(13,13+10));
let rowCount = sourceValues.length;
let columnCount = sourceValues[0].length;
let targetSheet = spreadSheet.getSheetByName(sheetName);
let lastRow = targetSheet.getLastRow() + 1;
let targetRange = targetSheet.getRange(lastRow,1,rowCount,columnCount);
targetRange.setValues(sourceValues);
}
And this is the code that I saw here which works perfectly in my spreadsheet, where this one updates the column B if there were changes based on unique ID (column A)
function updateEntrees() {
var ss=SpreadsheetApp.getActive();
var sh1=ss.getSheetByName('Support Sheet');
var rg1a=sh1.getRange(2,1,sh1.getLastRow()-1,1);
var vA1a=rg1a.getValues();
var rg1b=sh1.getRange(2,2,sh1.getLastRow()-1,1);
var vA1b=rg1b.getValues();
var sh2=ss.getSheetByName('Target Sheet');
var rg2a=sh2.getRange(2,1,sh2.getLastRow()-1,1);
var vA2a=rg2a.getValues();
var rg2b=sh2.getRange(2,2,sh2.getLastRow()-1,1);
var vA2b=rg2b.getValues();
for(var i=0;i<vA1a.length;i++) {
for(var j=0;j<vA2a.length;j++) {
if(vA1a[i][0]==vA2a[j][0]) {
vA2b[j][0]=vA1b[i][0]
}
}
}
rg2b.setValues(vA2b);
}
Now I am wondering how I am going to combine this 2, where if the source sheet has unique ID that needs updating it will update the target sheet and if there is a new unique ID, it will just add the data at the bottom
I believe your goal is as follows.
You have 2 sheets of the source sheet and the target sheet.
You want to update and append values from the source sheet to the target sheet by checking the column "A" of both sheets.
In this case, how about the following modified script?
Modified script:
function myFunction() {
// 1. Retrieve values from the source and target sheets.
var ss = SpreadsheetApp.getActive();
var [srcSheet, targetSheet] = ['Support Sheet', 'Target Sheet'].map(s => ss.getSheetByName(s));
var [srcValues, targetValues] = [srcSheet, targetSheet].map(s => s.getLastRow() == 1 ? [] : s.getRange("A2:B" + s.getLastRow()).getValues());
// 2. Create objects for searching values of the column "A".
var [srcObj, targetObj] = [srcValues, targetValues].map(e => e.reduce((o, [a, b]) => (o[a] = b, o), {}));
// 3. Check update values at the target sheet.
var updatedValues = targetValues.map(([a, b]) => [a, (srcObj[a] || (b || ""))]);
// 4. Check append values.
var appendValues = srcValues.reduce((ar, [a, b]) => {
if (!targetObj[a]) ar.push([a, b]);
return ar;
}, []);
// 5. Update the target sheet.
var values = [...updatedValues, ...appendValues];
targetSheet.getRange(2, 1, values.length, values[0].length).setValues(values);
}
From your script, this sample script supposes that your 1st row of both sheets is the header row. Please be careful about this.
Note:
I proposed the above script by guessing your Spreadsheet from your script and question. When this script is not useful for your situation, can you provide the sample Spreadsheet? By this, I would like to confirm it.
References:
reduce()
map()
Added 1:
From the following replying,
this works fine, but the data being added to the target sheet is just column A and B, here is the sample sheet: docs.google.com/spreadsheets/d/… where the range from source sheet that needs to transfer to target sheet is N:X
How about the following sample script?
Modified script:
function myFunction() {
// 1. Retrieve values from the source and target sheets.
var ss = SpreadsheetApp.getActive();
var [srcSheet, targetSheet] = ['Source Sheet', 'Target Sheet'].map(s => ss.getSheetByName(s));
var [srcValues, targetValues] = [[srcSheet, "N2:X"], [targetSheet, "A2:K"]].map(s => s[0].getLastRow() == 1 ? [] : s[0].getRange(s[1] + s[0].getLastRow()).getValues());
// 2. Create objects for searching values of the column "A".
var [srcObj, targetObj] = [srcValues, targetValues].map(e => e.reduce((o, [a, ...b]) => (o[a] = b, o), {}));
// 3. Check update values at the target sheet.
var updatedValues = targetValues.map(([a, ...b]) => [a, ...(srcObj[a] || b)]);
// 4. Check append values.
var appendValues = srcValues.reduce((ar, [a, ...b]) => {
if (!targetObj[a]) ar.push([a, ...b]);
return ar;
}, []);
// 5. Update the target sheet.
var values = [...updatedValues, ...appendValues];
targetSheet.getRange(2, 1, values.length, values[0].length).setValues(values);
}
Added 2:
About your following new question,
what if I just want to update the Column B in target sheet? and other column will stay the same?
How about the following script?
Modified script:
function myFunction() {
// 1. Retrieve values from the source and target sheets.
var ss = SpreadsheetApp.getActive();
var [srcSheet, targetSheet] = ['Source Sheet', 'Target Sheet'].map(s => ss.getSheetByName(s));
var [srcValues, targetValues] = [[srcSheet, "N2:X"], [targetSheet, "A2:K"]].map(s => s[0].getLastRow() == 1 ? [] : s[0].getRange(s[1] + s[0].getLastRow()).getValues());
// 2. Create objects for searching values of the column "A".
var [srcObj, targetObj] = [srcValues, targetValues].map(e => e.reduce((o, [a, ...b]) => (o[a] = b, o), {}));
// 3. Check update values at the target sheet.
var updatedValues = targetValues.map(([a, b]) => [a, (srcObj[a] || (b || ""))]);
// 4. Check append values.
var appendValues = srcValues.reduce((ar, [a, ...b]) => {
if (!targetObj[a]) ar.push([a, ...b]);
return ar;
}, []);
// 5. Update the target sheet.
targetSheet.getRange(2, 1, updatedValues.length, updatedValues[0].length).setValues(updatedValues);
targetSheet.getRange(targetSheet.getLastRow() + 1, 1, appendValues.length, appendValues[0].length).setValues(appendValues);
}

Function: Error stackTraceLimit: 10 - JavaScript, Google AppScript

Forgive me for my silly questions, I am really a new bee for this coding world.
I have a google app script running on a page where it extracts data from a different sheet. Code so far works fine except it skips few set of code lines and give me an { [Function: Error] stackTraceLimit: 10 } . This skipping part is very important and appreciate id you guys can help.
Thanks. I will post the entire code below.
const bookAId = 'xxxxxxxxxxxxx'; // ssId of book A
const bookBId = 'yyyyyyyyyyyyy'; // ssId of book B
const sheetA = 'RS_Tharalsdson' // name of sheet in book A containing sheet names
const deadlineRange = 'G3'; // the cell in book B sheet i that you want to copy - deadline
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
const subCol = 5 // submission method column of fosse,onq and galaxy
const subRow = 6 // submission starting row of fosse,onq and galaxy
const subColOpr = 4 // opera submission col
const subRowOpr = 6// opera submission starting row
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
const submissionMethods = []; //collect all the submission methods in each sheet
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==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]);
//ERROR SKIPS BELOW CODE//
const subMethodsRange = sheet.getRange(subRowOpr, subColOpr, sheet.getLastRow(), 1);
const subMethods = subMethodsRange.getValues();
var col1 = subMethods.map(function(value,index) { return value[0]; });
const distinct1 = (value, index, self) =>{ return self.indexOf(value)===index;}
var unqSub = col1.filter(distinct1).toString();
submissionMethods.push([unqSub]);
console.log(Error)
}
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]);
const subMethodsRange = sheet.getRange(subRow, subCol, sheet.getLastRow(), 1);
const subMethods = subMethodsRange.getValues();
var col1 = subMethods.map(function(value,index) { return value[0]; });
const distinct1 = (value, index, self) =>{ return self.indexOf(value)===index;}
var unqSub = col1.filter(distinct1).toString();
submissionMethods.push([unqSub]);
}
//else {
// submissionMethods.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
sA.getRange(2, 11, submissionMethods.length, 1).setValues(submissionMethods); // paste submission methods:unique values
}
}
I managed to fix the error. It is actually a typo. I have not been pushing a value to the search array if a the search returns nothing. Code is below.
if (!sheet){
fileFormatsFromBookB.push(['Sheet Not Found'])
submissionMethods.push(['Sheet Not Found'])//THIS FIXED THE ISSUE
continue;
}
Thank you for all the help guys.

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);
}

How to use getRange to select non-adjacent rows?

I'd like to copy ranges "A1", "C1:Z1", "A3", "C3:Z3", "A6", "C6:Z6" from source sheet and paste the values of those cells to the "target" sheet while eliminating the non-selected cells (such as column "B", row2, row4 and 5.
Source
Target
Use getRange() to retrieve all of the range and exclude col2, row 2, 4 and 5 using Array.filter
const values = sourceSheet.getDataRange().getValues();
const rowIndexToArrayIndex = num => num - 1;
const excludeCols = [2].map(rowIndexToArrayIndex);
const excludeRows = [2, 4, 5].map(rowIndexToArrayIndex);
const filteredValues = values
.filter((_row, i) => !excludeRows.includes(i))
.map(row => row.filter((_, j) => !excludeCols.includes(j)));
console.info({ values, filteredValues });
//MOCK values
const sourceSheet = {
getDataRange: () => ({
getValues: () =>
[...new Array(5)].map(
(i => () => new Array(10).fill().map(() => ++i))(0)
),
}),
};
//MOCK ends
const values = sourceSheet.getDataRange().getValues();
const rowIndexToArrayIndex = num => num - 1;
const excludeCols = [2].map(rowIndexToArrayIndex);
const excludeRows = [2, 4, 5].map(rowIndexToArrayIndex);
const filteredValues = values
.filter((_row, i) => !excludeRows.includes(i))
.map(row => row.filter((_, j) => !excludeCols.includes(j)));
console.info({ values, filteredValues });
I believe your goal as follows.
You want to copy the values of cells with the highlighted background color from the source sheet to the target sheet using Google Apps Script.
Flow:
Retrieve the background colors and values from the source sheet.
Create an array for copying to the target sheet using the retrieved background colors and values.
Put the created array to the target sheet.
Sample script 1:
In this sample, from your sample input and output iamges, the values of the cells with highlighted background color are retrieved. Before you use this script, please set the variables of sourceSheetName, destinationSheetName, backgroundColor.
function myFunction() {
var sourceSheetName = "Sheet1"; // Please set the source sheet name.
var destinationSheetName = "Sheet2"; // Please set the destination sheet name.
var backgroundColor = "###"; // Please set the background color you want to check.
// 1. Retrieve the background colors and values from the source sheet.
var ss = SpreadsheetApp.getActiveSpreadsheet();
var srcSheet = ss.getSheetByName(sourceSheetName);
var range = srcSheet.getDataRange();
var backgroundColors = range.getBackgrounds();
var values = range.getValues();
// 2. Create an array for copying to the target sheet using the retrieved background colors and values.
var copyValues = backgroundColors.reduce((ar1, r, i) => {
var temp = r.reduce((ar2, c, j) => {
if (c == backgroundColor) ar2.push(values[i][j]);
return ar2;
}, []);
if (temp.length > 0) ar1.push(temp);
return ar1;
}, []);
// 3. Put the created array to the target sheet.
var dstSheet = ss.getSheetByName(destinationSheetName);
dstSheet.getRange(1, 1, copyValues.length, copyValues[0].length).setValues(copyValues);
}
Sample script 2:
In this pattern, in your sample input situation, for example, even when the cells "C3" and "A6" are the default background color, the script copies the values from the highlighted cells by removing the columns with the default background color.
function myFunction() {
var sourceSheetName = "Sheet1"; // Please set the source sheet name.
var destinationSheetName = "Sheet2"; // Please set the destination sheet name.
var backgroundColor = "###"; // Please set the background color you want to check.
// 1. Retrieve the background colors and values from the source sheet.
var ss = SpreadsheetApp.getActiveSpreadsheet();
var srcSheet = ss.getSheetByName(sourceSheetName);
var range = srcSheet.getDataRange();
var backgroundColors = range.getBackgrounds();
var values = range.getValues();
// 2. Create an array for copying to the target sheet using the retrieved background colors and values.
var tempValues = backgroundColors.reduce((ar1, r, i) => {
var temp = r.reduce((ar2, c, j) => {
ar2[j] = c == backgroundColor ? values[i][j] : "";
return ar2;
}, []);
if (temp.length > 0 && temp.some(e => e.toString() != "")) {
ar1.push(temp);
}
return ar1;
}, []);
var obj = tempValues.reduce((o, r, i) => {
r.forEach((c, j) => {
if (c.toString() == "" && i == 0) o[j] = true;
if (c.toString() != "" && o[j] && i > 0) delete o[j];
});
return o;
}, {});
var copyValues = tempValues.map(r => r.filter((_, j) => !obj[j]));
// 3. Put the created array to the target sheet.
var dstSheet = ss.getSheetByName(destinationSheetName);
dstSheet.getRange(1, 1, copyValues.length, copyValues[0].length).setValues(copyValues);
}
Note:
In your sample script, I prepared from your input situation. So when your actual situation is different from the sample situation, the script might not work. So please be careful this.
If you want to copy the values of cells except for the default background color #ffffff, please modify above script as follows.
From
if (c == backgroundColor) ar2.push(values[i][j]);
To:
if (c != "#ffffff") ar2.push(values[i][j]);
or
From
ar2[j] = c == backgroundColor ? values[i][j] : "";
To:
ar2[j] = c != "#ffffff" ? values[i][j] : "";
When the Spreadsheet of the source sheet and the taget sheet is different, please modify var ss = SpreadsheetApp.getActiveSpreadsheet().
References:
getBackgrounds()
getValues()
reduce()

Categories

Resources