1

我需要根据其他单元格的值为范围单元格添加背景颜色,但是这个范围有不同的值,例如:

1 X 2 1 XX | 2

在检查值为 2 的 las 单元格时,范围单元格必须是独立的颜色,即只有单元格 3 必须具有绿色背景色,因为与红色的值相同,其他单元格的值相同。

我有这个代码:

function test() {
  var libro = SpreadsheetApp.getActiveSpreadsheet();
  var range_input = libro.getRange("B3:E3");
  var target_cell = libro.getRange("G3");

  if (range_input.getValues()==target_cell.getValue()) 
  {
    range_input.setBackgroundColor('#58FA58');    
  }

  else
  {
    range_input.setBackgroundColor('#FA5858')
  }  
} 

但问题是这不起作用,因为只有当所有值单元格的值与最后一个单元格的值相同时,该行才为绿色,这意味着尽管单元格 3 具有正确的值,但整行都变为红色。

提前谢谢。

4

1 回答 1

1

range_input.getValues()返回 4 个单元格的值数组的数组,同时target_cell.getValue()返回 1 个值。

function test() {
  var libro = SpreadsheetApp.getActiveSpreadsheet();
  var range_input = libro.getRange("B3:E3");
  var target_cell = libro.getRange("G3").getValue();//Save the value

  //Gets the values of the range ([0] to retrieve just the first row of values)
  var input_values = range_input.getValues()[0];
  //Gets the backgrounds of the range ([0] to retrieve just the first row of values)
  var backgrounds = range_input.getBackgroundColors()[0];

  //Loop through values in the row, checking against the cell.
  for(var i = 0; i < input_values.length; i += 1){
    if(input_values[i] === target_cell) {
      backgrounds[i] = '#58FA58';
    } else {
      backgrounds[i] = '#FA5858';
    }
  }
  //Put the row of backgrounds back in an array to make it 2d and set the backgrounds
  range_input.setBackgroundColors([backgrounds]);
} 
于 2013-01-13T20:43:06.240 回答