如何在Google Apps脚本中保存导出为CSV的日期格式

时间:2013-05-29 01:16:52

标签: google-apps-script google-sheets export-to-csv

我正在尝试使用Google Apps脚本中的以下功能将Google电子表格导出为CSV。是否可以在CSV中维护日期格式?

如果我使用菜单选项代替以CSV格式下载,则会保留日期格式。

我正在使用以下功能导出到CSV:

function exportToCSV(file) {

  // Get the selected range in the spreadsheet
  var ws = SpreadsheetApp.openById(file.getId()).getSheets()[0];
  var range = ws.getRange(1,1,ws.getLastRow(),ws.getLastColumn())

  try {
    var data = range.getValues();

    var csvFile = undefined;

    // Loop through the data in the range and build a string with the CSV data
    if (data.length > 1) {
      var csv = "";
      for (var row = 0; row < data.length; row++) {
        for (var col = 0; col < data[row].length; col++) {
          if (data[row][col].toString().indexOf(",") != -1) {
            data[row][col] = "\"" + data[row][col] + "\"";
          }
        }

        // Join each row's columns
        // Add a carriage return to end of each row, except for the last one
        if (row < data.length-1) {
          csv += data[row].join(",") + "\r\n";
        }
        else {
          csv += data[row];
        }
      }
      csvFile = csv;

    }
  }
  catch(err) {
    Logger.log(err);
    Browser.msgBox(err);
  }

  return csvFile;

}

1 个答案:

答案 0 :(得分:1)

改变这个:

    for (var col = 0; col < data[row].length; col++) {
      if (data[row][col].toString().indexOf(",") != -1) {
        data[row][col] = "\"" + data[row][col] + "\"";
      }
    }

到此(添加一行):

    for (var col = 0; col < data[row].length; col++) {
      data[row][col] = isDate(data[row][col]);      // Format, if date
      if (data[row][col].toString().indexOf(",") != -1) {
        data[row][col] = "\"" + data[row][col] + "\"";
      }
    }

您需要添加我从this answer复制的这些实用程序。 isDate()函数源自Martin Hawksey的Google Apps event managerisValidDate()函数在另一个SO答案中找到,如评论中所述。

isDate()中的日期格式可以根据您的需要进行更改。有关详细信息,请参阅Utilities.formatDate()

// From https://stackoverflow.com/questions/1353684
// Returns 'true' if variable d is a date object.
function isValidDate(d) {
  if ( Object.prototype.toString.call(d) !== "[object Date]" )
    return false;
  return !isNaN(d.getTime());
}

// Test if value is a date and if so format
// otherwise, reflect input variable back as-is. 
function isDate(sDate) {
  if (isValidDate(sDate)) {
    sDate = Utilities.formatDate(new Date(sDate), TZ, "dd MMM yy HH:mm");
  }
  return sDate;
}