Google应用脚本共享文件夹中已创建文件的权限

时间:2015-04-09 07:25:19

标签: google-apps-script permissions google-drive-api file-sharing

我有一个脚本可以在共享的Google云端硬盘文件夹中创建一个文件,这是脚本:

  var spr = SpreadsheetApp.getActiveSpreadsheet().getSheetByName('Klantenlijst'); 
  var data = spr.getDataRange().getValues(); 
  var klanNumbers = data; //some var declared before this piece of code
  var file = DriveApp.createFile(fileName, JSON.stringify(klanNumbers));

此文件需要经常更新,为此我删除现有文件并创建一个新文件以替换它(使用新数据)。问题是,当我尝试以文件所有者以外的用户身份执行setTrashed操作时,会弹出此错误:

  

您无权执行该操作。

关于如何解决这个问题的任何想法? :)

谢谢!

编辑:我可以与其他用户手动删除驱动器中的文件。 我看过this文章,但我完全不同意这个问题是“过于本地化”的结论。在Google上环顾四周,如果没有合适的解决方案,您会发现具有相同问题的案例。

此刻的解决方法:

  • 重命名文件
  • 将其移至另一个文件夹
  • 在旧文件夹中创建新文件

我不会删除这篇文章,所以人们可以在这里添加其他想法。

1 个答案:

答案 0 :(得分:2)

您只能垃圾您拥有的文件。当您手动删除文件(使用GUI删除文件)时,您似乎已经删除了文件,但实际上并没有在其上设置trashed标志。相反,您要将其从自己的Google云端硬盘中删除,而不会影响其他任何人。所有者仍然看到它与您共享,并且任何其他协作者都不受影响。实际上,如果您使用其全名搜索文件,仍然可以看到该文件,或者使用其中一个备用视图,例如" Recent"文件列表,或使用文件的URL。

要从脚本中获得相同的效果,请使用removeFile()

这是一个实用程序,它会为所有者处理文件而不是协作者,以废弃或删除它。

/**
 * Remove the given file from view in the user's Drive.
 * If the user is the owner of the file, it will be trashed,
 * otherwise it will be removed from all of the users' folders
 * and their root. Refer to the comments on the removeFile()
 * method:
 *
 *   https://developers.google.com/apps-script/reference/drive/drive-app#removeFile(File)
 *
 * @param {File} file  File object to be trashed or removed.
 */
function deleteOrRemove( file ) {
  var myAccess = file.getAccess(Session.getActiveUser());
  if (myAccess == DriveApp.Permission.OWNER) {
    // If I own the file, trash it.
    file.setTrashed(true);
  }
  else {
    // If I don't own the file, remove it.
    var parents = file.getParents();
    while (parents.hasNext()) {
      // Remove the file from the current folder.
      parents.next().removeFile(file);
    }

    // Remove the given file from the root of the user's Drive.
    DriveApp.removeFile(file);
  }
}

示例:

function test_deleteOrRemove() {
  var files = DriveApp.getFilesByName('536998589.mp3');
  while (files.hasNext()) {
    var file = files.next();
    deleteOrRemove( file );
  }
}