二维数组读数问题?

时间:2015-06-24 16:10:20

标签: google-apps-script google-sheets google-apps-for-education

我想创建一种“堆栈”,每次删除项目时,工作表都会删除空白单元格。显然,我无法使用过滤功能。

我无法读取为此目的创建的数组。

我的伪代码:我创建一个空数组,获取所有值(包括空值),用除空值之外的所有值填充我的数组,最后清除堆栈并使用我的数组设置值

这是我的代码:

function updateStack() {
 
 var ss = SpreadsheetApp.getActive();
 var sheet = ss.getSheetByName("main");
  
 var zone = sheet.getRange(1, 1, 1, 10);
  
  //seems that .getValues() returns a 2d array

 var values = zone.getValues();
 var j = 0;
  
 var data = new Array();
  
  for (var i = 0 ; i < 10 ; i++) {

    //the problem seems to be here : I can't access the 2d array. After reading the debugging console about 1000 thousand times
    // I discovered the 2 pairs of []  
    
    //I've found multiple ways to detect empty cells. Not sure if this is the right one. I've tried the .length = 0 trick, but something
    // was wrong, maybe because of the "2dimensionality"

    
    if (values[i] != "") {
      
      data[j] = values[i];
      j = j++;
      
    } else {
      
      // do nothing if the cell contains nothing
     
    }
   
  //not sure if I have to use return ! Don't know where to put it exactly too...
  return data; 
  zone.clear();
    //length of range must be the same as the array's length
    
  zone = sheet.getRange(1, 1, 1, data.length);
  zone.setValues(data);
  }
}

我的代码中有很多评论,希望你能理解。 我的测试表的链接:http://bit.ly/1JiWutn

感谢您的帮助!

2 个答案:

答案 0 :(得分:1)

目前,您有一段代码如下:

if (values[i] != "") {

  data[j] = values[i];
  j = j++;

} else {

您正在测试一个空字符串:

values[i] != ""

但是values[i]是一个内部数组。您的代码只有一行和10列。

var zone = sheet.getRange(1, 1, 1, 10);

因此,数组看起来像这样:

[ [cell one,cell two,cell three,etc,cell ten ] ]

values[i]返回内部数组,而不是值。

要使用单元格值:

if (values[0][i] != "") {

您需要两个索引,第一个索引始终为零。只有一个内部数组包含所有单元格值。

接下来,使用pushdata数组添加值:

data.push(values[0][i]);

另一个问题是您拥有return声明。 return语句会终止当前函数。在该函数内的return语句之后的任何内容都不会运行。因此,您无法获得返回语句,并获取将值写入电子表格的代码。你可以做到这两点。您既可以将值写入工作表,也可以返回一些内容,但最后将返回值放回去。返回,返回一些称为此函数的函数。

要设置值,值必须在二维数组中。您的data数组不是2D数组。您必须将data数组添加到另一个数组。

var my2Darray = [];
my2Darray.push(data);

zone = sheet.getRange(1, 1, 1, data.length);
zone.setValues(my2Darray);

答案 1 :(得分:0)

如果您只测试整行的空白单元格,那么您所拥有的测试几乎可用。如果连接该数组中的所有值,则可以将结果与""进行比较。

// join all the values with nothing between them
// compare the result to empty string
if(values[i].join("") !== "") { 

  // if at least one cell contained something
  data.push(values[i]); // Stackius Popularious


}