假设我有这个循环代码。

for (var i = 0; i < originList.length; i++) {
          var results = response.rows[i].elements;
          for (var j = 0; j < results.length; j++) {
            outputDiv.innerHTML += results[j].distance.text + ',';
          }
        }


我想使用此代码将outputDiv.innerHTML导出到CSV,但是它不起作用。

function downloadFile(fileName, urlData) {

var aLink = document.createElement('a');
aLink.download = fileName;
aLink.href = urlData;

var event = new MouseEvent('click');
aLink.dispatchEvent(event);
}

downloadFile('output.csv', 'outputDiv.innerHTML/csv;charset=UTF-8,' + encodeURIComponent(outputDiv.innerHTML));


我该怎么办?我是新来的。谢谢。

最佳答案

此解决方案使用JavaScript。我在按钮上添加了事件侦听器,因此单击该按钮时,它将捕获outerHTML<table>

outerHTML本质上包括元素的开始和结束标签以及内容,而innerHTML不包括元素的开始和结束标签。

来自MDN Web Docs


  Element DOM接口的outerHTML属性获取描述元素(包括其后代)的序列化HTML片段。也可以设置为将元素替换为从给定字符串解析的节点。


从所有行和列中提取innerText时。 download_csv被调用。

您可以使用file-like object of immutable, raw dataBlob对象下载数据。


document.querySelector("button").addEventListener("click", function () {
  let html = document.querySelector("table").outerHTML;
  exportToCSV(html, "table.csv");
});

function exportToCSV(html, filename) {
  let csv = [];

  // grab all rows inside table
  let rows = document.querySelectorAll("table tr");
  let row, cols;

  for (let i = 0; i < rows.length; i++) {
    row = []; // will hold innerText of all columns
    // retrieve all columns of row
    cols = rows[i].querySelectorAll("td, th");

    for (let j = 0; j < cols.length; j++){
      // push column innerText
      row.push(cols[j].innerText);
    }

    // push all innerText into CSV
    csv.push(row.join(","));
  }

  console.log("Extracted content from html:",csv);
  // Download CSV
  download_csv(csv.join("\n"), filename);
}

function download_csv(csv, filename) {
  let csvFile;
  let downloadLink;

  // CSV FILE
  csvFile = new Blob([csv], {type: "text/csv"});

  // create an element and set the file name.
  downloadLink = document.createElement("a");
  downloadLink.download = filename;

  // We have to create a link to the file
  downloadLink.href = window.URL.createObjectURL(csvFile);

  // prevent link from being shown
  downloadLink.style.display = "none";

  // Add the link to your DOM
  document.body.appendChild(downloadLink);

  // start the download
  downloadLink.click();
}

<table>
    <tr><th>Name</th><th>Age</th><th>Country</th></tr>
    <tr><td>Tony</td><td>26</td><td>USA</td></tr>
    <tr><td>Levi</td><td>19</td><td>Spain</td></tr>
    <tr><td>Calvin</td><td>32</td><td>Russia</td></tr>
</table>
<button>Export HTML table to CSV file</button>

10-06 11:46