3

我已经创建了这个脚本,它制作了一个发布简介的表单,我希望它被提交到电子表格,但Exception: incorrect range width, was 3 but should be 5无论我如何更改 getRange 中的行数,我都会收到这个错误,这个错误中的数字总是相同的。有什么方法可以更新我不知道的代码吗?每次更改代码时我都会部署代码。

  function doGet() {
  var app = UiApp.createApplication().setTitle('Form for news update');

  //panel for form
  var panel = app.createVerticalPanel().setId('panel');

  //elements for the form
  var postTitle = app.createLabel('Title');
  var title = app.createTextBox().setId('title');
  var postLabel = app.createLabel('new post:');
  var post = app.createTextArea().setId('post');
  var btn = app.createButton('Submit');

  //handler to execute posting by click the button

  var handler = app.createServerClickHandler('Submit');
  handler.addCallbackElement(panel);
  //add this handler to the button
  btn.addClickHandler(handler);

  //add the elements to the panel
  panel.add(postTitle)
  .add(title)
  .add(postLabel)
  .add(post)
  .add(btn);

  //add the panel to the app
  app.add(panel);

  return app;
}
function Submit(e){
//get the app and send it to the spreadsheet
var app = UiApp.getActiveApplication();

try{
   //get the post
  var postTitle = e.parameter.postTitle;
  var title = e.parameter.title;
  var post = e.parameter.post;

  //put the info into a spreadsheet
  var ss = SpreadsheetApp.openById('KEY IN HERE REMOVED FOR PRIVACY');
  var sheet = ss.getSheets()[0];
  sheet.getRange(sheet.getLastRow()+1, 1).setValues([[ title, post]]);
}catch(e){
  app.add(app.createLabel('Error occured:'+e));
 return app;
}
}
4

2 回答 2

6

如果您的二维数组未设置为 100% 四边形且与所选范围不匹配 100%,也会发生此错误。

例如,如果您有一个数组:

[
[a,b,c,d,e,f,g],
[a,b,c,d,e,f,g],
[a,b,c,d,e,f]
]

它会给你一个错误说Exception: incorrect range width, was 7 but should be 6

当然,解决方案是用空值填充多余的单元格:

[
[a,b,c,d,e,f,g],
[a,b,c,d,e,f,g],
[a,b,c,d,e,f,''],
]

基本上,确保它们都不比任何其他数组长。

于 2014-05-21T20:13:12.763 回答
4

您选择了一个具有起始位置(行、列)但没有指定高度(行)或宽度(列)的范围。它将默认为 1 x 1。然后 setValues 方法尝试应用一个二维数组,该数组是一组不同的维度,在此示例中为 1 行 x 2 列:

sheet.getRange(sheet.getLastRow()+1, 1).setValues([[ title, post]]);
               --------------------  -            ----------------
                 |                   +- column         |
                 +- row                                +- 1 row, 2 columns

当异常报告width时,将其等同于列,而不是行。

您应该使用.getRange(row, column, numRows, numColumns),如:

sheet.getRange(sheet.getLastRow()+1, 1, 1, 2).setValues([[ title, post]]);

为了改进维护,尽量避免使用幻数。

var outData = [[ postTitle, title, post ]];
sheet.getRange(sheet.getLastRow()+1, 1, outData.length, outData[0].length)
     .setValues(outData);

这样,如果您更改要存储到工作表的数据,则无需维护将其写出的行。相反,它将根据数据维度计算正确的维度。

最后一句话:摆脱那个try..catch块,你不需要它,它会导致错误,比如不小心将你的内容包含return app在 catch 块中,可能导致你的应用程序静默失败。

于 2013-08-29T19:34:49.643 回答