我正在尝试编写一个脚本,如果日期等于或小于今天的日期,则在循环包含日期的列的单元格值时,将更改相邻单元格中的状态(当前与已过期)。该脚本需要处理列N(日期)并修改电子表格中所有工作表的列O(状态)。这就是为什么我有FYI的Sheets循环。
这是我到目前为止所做的事情,而且我一直在打墙。
它当前在currentValue变量处抛出一个错误,因为它超出了范围。
//----------------------------------------------------
// Look at Dates and Change Status if expired (Automatically)
function checkDates() {
//For each sheet in the Spreadsheet
for(v in sheets){
//Find the last row that has content *-2 is because of a strange return I don't understand yet
var lastRow = sheets[v].getLastRow()-2;
//Get Dates Range (excluding empty cells)
var dateRange = sheets[v].getRange("N2:N"+lastRow);
//Get the number of Rows in the range
var numRows = dateRange.getNumRows();
//For loop for the number of rows with content
for(x = 0; x <= numRows; ++x){
// Value of cell in loop
var currentValue = dateRange.getCell(x,2).getValue();
Logger.log(currentValue);
// Row number in Range
var currentRow = dateRange.getRow(x);
// Get adjacent cell Range
var adjacentCell = sheets[v].getRange(currentRow,15);
// If the date is less than or equal to today
if(new Date(currentValue) <= d){
// Change adjancet cell to Expired
adjacentCell.setValue("Expired");
// Else adjance cell is Current
} else if(listofDates != ""){
adjacentCell.setValue("Current");
}
}
}
}
//-----------------------------------------------------
答案 0 :(得分:4)
currentValue超出范围的原因是getCell(x, 2)
函数第一个参数是行号。您的行号从0开始,x = 0
。如果将x更改为从1开始,则应该停止向您提供currentValue变量超出范围的错误。
for(x = 1; x <= numRows; ++x){ ...
您还选择了2列,但只选择了“N”行,将getCell(x, 2)
更改为getCell(x, 1)
。
var currentValue = dateRange.getCell(x,1).getValue();
正如我之前提到的,您的数据范围仅超过colmn“N”,如果您选择“N”和“O”列,var dateRange = sheets[v].getRange("N2:O");
,它会更容易
我稍微修改了你的其余部分。它不漂亮,但我希望它可以帮助你。
function checkDates() {
//For each sheet in the Spreadsheet
for(v in sheets){
var lastRow = sheets[v].getLastRow();
//Get Dates Range (excluding empty cells)
var dateRange = sheets[v].getRange(2, 14, (lastRow - 1), 2);
//Get the number of Rows in the range
var numRows = dateRange.getNumRows();
//For loop for the number of rows with content
for(x = 1; x <= numRows; ++x){
// Value of cell in loop
var currentValue = dateRange.getCell(x,1).getValue();
var adjacentCell = dateRange.getCell(x,2);
Logger.log(currentValue);
// If the date is less than or equal to today
if(new Date(currentValue) <= new Date()){
// Change adjancet cell to Expired
adjacentCell.setValue("Expired");
// Else adjance cell is Current
} else if(currentValue != ""){
adjacentCell.setValue("Current");
}
}
}
}