자바스크립트 어레이 정보를 csv(클라이언트 측)로 내보내는 방법
이런 종류의 질문이 많다는 것을 알지만 JavaScript를 사용해야 합니다.하고 .Dojo 1.8속죄하다
[["name1", "city_name1", ...]["name2", "city_name2", ...]]
좋을까요?CSV라이이? 츠요시
이 작업은 네이티브 JavaScript에서 수행할 수 있습니다.이와 같이 데이터를 올바른 CSV 형식으로 해석해야 합니다(질문에서 설명한 것처럼 데이터에 어레이를 사용하고 있다고 가정합니다).
const rows = [
["name1", "city1", "some other info"],
["name2", "city2", "more info"]
];
let csvContent = "data:text/csv;charset=utf-8,";
rows.forEach(function(rowArray) {
let row = rowArray.join(",");
csvContent += row + "\r\n";
});
또는 더 짧은 방법(화살표 기능 사용):
const rows = [
["name1", "city1", "some other info"],
["name2", "city2", "more info"]
];
let csvContent = "data:text/csv;charset=utf-8,"
+ rows.map(e => e.join(",")).join("\n");
그런 다음 JavaScript를 사용할 수 있습니다.window.open ★★★★★★★★★★★★★★★★★」encodeURICSV를 사용하다
var encodedUri = encodeURI(csvContent);
window.open(encodedUri);
편집:
If you want to give your file a specific name, you have to do things a little differently since this is not supported accessing a data URI using thewindow.open method. In order to achieve this, you can create a hidden
<a> DOM node and set its
download attribute as follows:
var encodedUri = encodeURI(csvContent);
var link = document.createElement("a");
link.setAttribute("href", encodedUri);
link.setAttribute("download", "my_data.csv");
document.body.appendChild(link); // Required for FF
link.click(); // This will download the data file named "my_data.csv".
위의 답변을 바탕으로 IE 11, Chrome 36 및 Firefox 29에서 테스트한 이 기능을 만들었습니다.
function exportToCsv(filename, rows) {
var processRow = function (row) {
var finalVal = '';
for (var j = 0; j < row.length; j++) {
var innerValue = row[j] === null ? '' : row[j].toString();
if (row[j] instanceof Date) {
innerValue = row[j].toLocaleString();
};
var result = innerValue.replace(/"/g, '""');
if (result.search(/("|,|\n)/g) >= 0)
result = '"' + result + '"';
if (j > 0)
finalVal += ',';
finalVal += result;
}
return finalVal + '\n';
};
var csvFile = '';
for (var i = 0; i < rows.length; i++) {
csvFile += processRow(rows[i]);
}
var blob = new Blob([csvFile], { type: 'text/csv;charset=utf-8;' });
if (navigator.msSaveBlob) { // IE 10+
navigator.msSaveBlob(blob, filename);
} else {
var link = document.createElement("a");
if (link.download !== undefined) { // feature detection
// Browsers that support HTML5 download attribute
var url = URL.createObjectURL(blob);
link.setAttribute("href", url);
link.setAttribute("download", filename);
link.style.visibility = 'hidden';
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
}
}
}
예: https://jsfiddle.net/jossef/m3rrLzk0/
이 솔루션은 Internet Explorer 10+, Edge, 이전 및 새 버전의 Chrome, FireFox, Safari, ++에서 작동합니다.
IE 및 Safari에서는 사용할 수 없는 답변입니다.
// Example data given in question text
var data = [
['name1', 'city1', 'some other info'],
['name2', 'city2', 'more info']
];
// Building the CSV from the Data two-dimensional array
// Each column is separated by ";" and new line "\n" for next row
var csvContent = '';
data.forEach(function(infoArray, index) {
dataString = infoArray.join(';');
csvContent += index < data.length ? dataString + '\n' : dataString;
});
// The download function takes a CSV string, the filename and mimeType as parameters
// Scroll/look down at the bottom of this snippet to see how download is called
var download = function(content, fileName, mimeType) {
var a = document.createElement('a');
mimeType = mimeType || 'application/octet-stream';
if (navigator.msSaveBlob) { // IE10
navigator.msSaveBlob(new Blob([content], {
type: mimeType
}), fileName);
} else if (URL && 'download' in a) { //html5 A[download]
a.href = URL.createObjectURL(new Blob([content], {
type: mimeType
}));
a.setAttribute('download', fileName);
document.body.appendChild(a);
a.click();
document.body.removeChild(a);
} else {
location.href = 'data:application/octet-stream,' + encodeURIComponent(content); // only this mime type is supported
}
}
download(csvContent, 'dowload.csv', 'text/csv;encoding:utf-8');
코드 스니펫을 실행하면 모의 데이터가 csv로 다운로드됩니다.
credits to dandavis https://stackoverflow.com/a/16377813/1350598
최소한의 기능만을 갖춘 솔루션:)
/** Convert a 2D array into a CSV string
*/
function arrayToCsv(data){
return data.map(row =>
row
.map(String) // convert every value to String
.map(v => v.replaceAll('"', '""')) // escape double colons
.map(v => `"${v}"`) // quote it
.join(',') // comma-separated
).join('\r\n'); // rows starting on new lines
}
예:
let csv = arrayToCsv([
[1, '2', '"3"'],
[true, null, undefined],
]);
결과:
"1","2","""3"""
"true","null","undefined"
이제 파일로 다운로드:
/** Download contents as a file
* Source: https://stackoverflow.com/questions/14964035/how-to-export-javascript-array-info-to-csv-on-client-side
*/
function downloadBlob(content, filename, contentType) {
// Create a blob
var blob = new Blob([content], { type: contentType });
var url = URL.createObjectURL(blob);
// Create a link to download it
var pom = document.createElement('a');
pom.href = url;
pom.setAttribute('download', filename);
pom.click();
}
다운로드:
downloadBlob(csv, 'export.csv', 'text/csv;charset=utf-8;')
Chrome 35 업데이트에서는 다운로드 속성 동작이 변경되었습니다.
https://code.google.com/p/chromium/issues/detail?id=373182
이것을 크롬으로 작업하려면 , 이것을 사용합니다.
var pom = document.createElement('a');
var csvContent=csv; //here we load our csv data
var blob = new Blob([csvContent],{type: 'text/csv;charset=utf-8;'});
var url = URL.createObjectURL(blob);
pom.href = url;
pom.setAttribute('download', 'foo.csv');
pom.click();
RFC 4180에 대한 준거를 좀 더 추구하려고 왔습니다만, 실장을 찾을 수 없었기 때문에, 제 자신의 요구에 맞추어 (아마도 비효율적인) 실장을 만들었습니다.다 같이 나눠먹어야겠다.
var content = [['1st title', '2nd title', '3rd title', 'another title'], ['a a a', 'bb\nb', 'cc,c', 'dd"d'], ['www', 'xxx', 'yyy', 'zzz']];
var finalVal = '';
for (var i = 0; i < content.length; i++) {
var value = content[i];
for (var j = 0; j < value.length; j++) {
var innerValue = value[j]===null?'':value[j].toString();
var result = innerValue.replace(/"/g, '""');
if (result.search(/("|,|\n)/g) >= 0)
result = '"' + result + '"';
if (j > 0)
finalVal += ',';
finalVal += result;
}
finalVal += '\n';
}
console.log(finalVal);
var download = document.getElementById('download');
download.setAttribute('href', 'data:text/csv;charset=utf-8,' + encodeURIComponent(finalVal));
download.setAttribute('download', 'test.csv');
이것이 미래에 누군가를 도울 수 있기를 바랍니다.이것에 의해, CSV 의 부호화와 파일의 다운로드 기능이 모두 조합됩니다.이 예에서는 jsfiddle에 대해 설명합니다.파일을 다운로드하거나(HTML 5 브라우저를 전제로), 콘솔에서 출력을 표시할 수 있습니다.
갱신:
Chrome이 파일 이름을 지정할 수 없게 된 것 같습니다.무슨 일이 일어났는지, 어떻게 수정해야 하는지 모르겠지만 이 코드(jsfiddle 포함)를 사용할 때마다 다운로드된 파일의 이름이 지정됩니다.download.csv.
특수문자 등 엣지 케이스에서 실패하는 독자적인 CSV 스트링을 작성하려고 하는데, 이 문제는 해결된 문제겠죠?
papaparse - JSON에서 CSV로 인코딩할 때 사용합니다. Papa.unparse().
import Papa from "papaparse";
const downloadCSV = (args) => {
let filename = args.filename || 'export.csv';
let columns = args.columns || null;
let csv = Papa.unparse({ data: args.data, fields: columns})
if (csv == null) return;
var blob = new Blob([csv]);
if (window.navigator.msSaveOrOpenBlob) // IE hack; see http://msdn.microsoft.com/en-us/library/ie/hh779016.aspx
window.navigator.msSaveBlob(blob, args.filename);
else
{
var a = window.document.createElement("a");
a.href = window.URL.createObjectURL(blob, {type: "text/plain"});
a.download = filename;
document.body.appendChild(a);
a.click(); // IE: "Access is denied"; see: https://connect.microsoft.com/IE/feedback/details/797361/ie-10-treats-blob-url-as-cross-origin-and-denies-access
document.body.removeChild(a);
}
}
사용 예
downloadCSV({
filename: "filename.csv",
data: [{"a": "1", "b": "2"}],
columns: ["a","b"]
});
https://github.com/mholt/PapaParse/issues/175 - 브라우저 지원에 대한 자세한 내용은 이 코멘트를 참조하십시오.
@Default의 솔루션은 Chrome에서는 완벽하게 동작합니다(고마워!) IE에서는 문제가 있었습니다.
해결 방법(IE10에서 동작)은 다음과 같습니다.
var csvContent=data; //here we load our csv data
var blob = new Blob([csvContent],{
type: "text/csv;charset=utf-8;"
});
navigator.msSaveBlob(blob, "filename.csv")
function convertToCsv(fName, rows) {
var csv = '';
for (var i = 0; i < rows.length; i++) {
var row = rows[i];
for (var j = 0; j < row.length; j++) {
var val = row[j] === null ? '' : row[j].toString();
val = val.replace(/\t/gi, " ");
if (j > 0)
csv += '\t';
csv += val;
}
csv += '\n';
}
// for UTF-16
var cCode, bArr = [];
bArr.push(255, 254);
for (var i = 0; i < csv.length; ++i) {
cCode = csv.charCodeAt(i);
bArr.push(cCode & 0xff);
bArr.push(cCode / 256 >>> 0);
}
var blob = new Blob([new Uint8Array(bArr)], { type: 'text/csv;charset=UTF-16LE;' });
if (navigator.msSaveBlob) {
navigator.msSaveBlob(blob, fName);
} else {
var link = document.createElement("a");
if (link.download !== undefined) {
var url = window.URL.createObjectURL(blob);
link.setAttribute("href", url);
link.setAttribute("download", fName);
link.style.visibility = 'hidden';
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
window.URL.revokeObjectURL(url);
}
}
}
convertToCsv('download.csv', [
['Order', 'Language'],
['1', 'English'],
['2', 'Español'],
['3', 'Français'],
['4', 'Português'],
['5', 'čeština'],
['6', 'Slovenščina'],
['7', 'Tiếng Việt'],
['8', 'Türkçe'],
['9', 'Norsk bokmål'],
['10', 'Ελληνικά'],
['11', 'беларускі'],
['12', 'русский'],
['13', 'Українська'],
['14', 'հայերեն'],
['15', 'עִברִית'],
['16', 'اردو'],
['17', 'नेपाली'],
['18', 'हिंदी'],
['19', 'ไทย'],
['20', 'ქართული'],
['21', '中国'],
['22', '한국어'],
['23', '日本語'],
])
아래 코드를 사용하여 Javascript를 사용하여 CSV 파일로 배열을 내보낼 수 있습니다.
특수 문자 부분도 처리합니다.
var arrayContent = [["Séjour 1, é,í,ú,ü,ű"],["Séjour 2, é,í,ú,ü,ű"]];
var csvContent = arrayContent.join("\n");
var link = window.document.createElement("a");
link.setAttribute("href", "data:text/csv;charset=utf-8,%EF%BB%BF" + encodeURI(csvContent));
link.setAttribute("download", "upload_data.csv");
link.click();
여기 작업 jsfiddle 링크가 있습니다.
여기 있습니다.
<!doctype html>
<html>
<head></head>
<body>
<a href='#' onclick='downloadCSV({ filename: "stock-data.csv" });'>Download CSV</a>
<script type="text/javascript">
var stockData = [
{
Symbol: "AAPL",
Company: "Apple Inc.",
Price: "132.54"
},
{
Symbol: "INTC",
Company: "Intel Corporation",
Price: "33.45"
},
{
Symbol: "GOOG",
Company: "Google Inc",
Price: "554.52"
},
];
function convertArrayOfObjectsToCSV(args) {
var result, ctr, keys, columnDelimiter, lineDelimiter, data;
data = args.data || null;
if (data == null || !data.length) {
return null;
}
columnDelimiter = args.columnDelimiter || ',';
lineDelimiter = args.lineDelimiter || '\n';
keys = Object.keys(data[0]);
result = '';
result += keys.join(columnDelimiter);
result += lineDelimiter;
data.forEach(function(item) {
ctr = 0;
keys.forEach(function(key) {
if (ctr > 0) result += columnDelimiter;
result += item[key];
ctr++;
});
result += lineDelimiter;
});
return result;
}
window.downloadCSV = function(args) {
var data, filename, link;
var csv = convertArrayOfObjectsToCSV({
data: stockData
});
if (csv == null) return;
filename = args.filename || 'export.csv';
if (!csv.match(/^data:text\/csv/i)) {
csv = 'data:text/csv;charset=utf-8,' + csv;
}
data = encodeURI(csv);
link = document.createElement('a');
link.setAttribute('href', data);
link.setAttribute('download', filename);
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
}
</script>
</body>
</html>
많은 좋은 답변이 있는 오래된 질문이지만, 여기 두 개의 인기 있는 라이브러리에 의존하는 또 다른 간단한 옵션이 있습니다.일부 답변에서는 Papa Parse에 대해 언급하고 있지만 다운로드 부분에 대해 자체 솔루션을 제공합니다.Papa Parse 와 FileSaver.js 를 조합하면, 다음의 조작을 실행할 수 있습니다.
const dataString = Papa.unparse(data, config);
const blob = new Blob([dataString], { type: 'text/csv;charset=utf-8' });
FileSaver.saveAs(blob, 'myfile.csv');
config의 unparse여기서 설명하겠습니다.
//It work in Chrome and IE ... I reviewed and readed a lot of answer. then i used it and tested in both ...
var link = document.createElement("a");
if (link.download !== undefined) { // feature detection
// Browsers that support HTML5 download attribute
var blob = new Blob([CSV], { type: 'text/csv;charset=utf-8;' });
var url = URL.createObjectURL(blob);
link.setAttribute("href", url);
link.setAttribute("download", fileName);
link.style = "visibility:hidden";
}
if (navigator.msSaveBlob) { // IE 10+
link.addEventListener("click", function (event) {
var blob = new Blob([CSV], {
"type": "text/csv;charset=utf-8;"
});
navigator.msSaveBlob(blob, fileName);
}, false);
}
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
//Regards
ES6에서 화살표 1개 기능:
const dataToCsvURI = (data) => encodeURI(
`data:text/csv;charset=utf-8,${data.map((row, index) => row.join(',')).join(`\n`)}`
);
그 후, 다음과 같이 합니다.
window.open(
dataToCsvURI(
[["name1", "city_name1"/*, ...*/], ["name2", "city_name2"/*, ...*/]]
)
);
혹시 리액션에서 이게 필요할 때를 대비해서
데이터를 CSV로 변환하기 위한 많은 Roll-Your-Own 솔루션이 있지만, Excel 등의 오류 없이 올바르게 포맷하는 데이터 유형에 대해 다양한 주의가 필요합니다.
Papa.unparse(data[, config])
이 솔루션을 로컬 다운로드 솔루션(@Arne의 솔루션 등)과 조합하면 됩니다.HB가 좋아보여보여.
여기에는 다음 두 가지 질문이 있습니다.
- 어레이를 CSV 문자열로 변환하는 방법
- 해당 문자열을 파일에 저장하는 방법
첫 번째 질문에 대한 모든 답변(밀리메트릭의 답변 제외)은 과잉살인으로 보입니다.또한 Milmetric은 문자열을 따옴표로 둘러싸거나 객체의 배열을 변환하는 등 고지적 요건을 다루지 않습니다.
이에 대한 저의 견해는 다음과 같습니다.
단순한 csv의 경우 map()과 join()이면 충분합니다.
var test_array = [["name1", 2, 3], ["name2", 4, 5], ["name3", 6, 7], ["name4", 8, 9], ["name5", 10, 11]];
var csv = test_array.map(function(d){
return d.join();
}).join('\n');
/* Results in
name1,2,3
name2,4,5
name3,6,7
name4,8,9
name5,10,11
예를 탭:d.join('\t')
한편 문자열을 따옴표"로 둘러싸려면 다음 JSON 매직을 사용합니다.
var csv = test_array.map(function(d){
return JSON.stringify(d);
})
.join('\n')
.replace(/(^\[)|(\]$)/mg, ''); // remove opening [ and closing ]
// brackets from each line
/* would produce
"name1",2,3
"name2",4,5
"name3",6,7
"name4",8,9
"name5",10,11
다음과 같은 객체 배열이 있는 경우:
var data = [
{"title": "Book title 1", "author": "Name1 Surname1"},
{"title": "Book title 2", "author": "Name2 Surname2"},
{"title": "Book title 3", "author": "Name3 Surname3"},
{"title": "Book title 4", "author": "Name4 Surname4"}
];
// use
var csv = data.map(function(d){
return JSON.stringify(Object.values(d));
})
.join('\n')
.replace(/(^\[)|(\]$)/mg, '');
다음은 네이티브 js 솔루션입니다.
function export2csv() {
let data = "";
const tableData = [];
const rows = [
['111', '222', '333'],
['aaa', 'bbb', 'ccc'],
['AAA', 'BBB', 'CCC']
];
for (const row of rows) {
const rowData = [];
for (const column of row) {
rowData.push(column);
}
tableData.push(rowData.join(","));
}
data += tableData.join("\n");
const a = document.createElement("a");
a.href = URL.createObjectURL(new Blob([data], { type: "text/csv" }));
a.setAttribute("download", "data.csv");
document.body.appendChild(a);
a.click();
document.body.removeChild(a);
}
<button onclick="export2csv()">Export array to csv file</button>
. 즉 csv BLOB를 .var blob = new Blob([data], type:"text/csv");
브라우저가 blobs 저장을 지원하는 경우,if window.navigator.mSaveOrOpenBlob)===true다음 명령을 사용하여 csv 데이터를 저장합니다.window.navigator.msSaveBlob(blob, 'filename.csv')
브라우저가 blobs 저장 및 열기를 지원하지 않는 경우 다음과 같이 csv 데이터를 저장합니다.
var downloadLink = document.createElement('<a></a>');
downloadLink.attr('href', window.URL.createObjectURL(blob));
downloadLink.attr('download', filename);
downloadLink.attr('target', '_blank');
document.body.append(downloadLink);
풀코드 스니펫:
var filename = 'data_'+(new Date()).getTime()+'.csv';
var charset = "utf-8";
var blob = new Blob([data], {
type: "text/csv;charset="+ charset + ";"
});
if (window.navigator.msSaveOrOpenBlob) {
window.navigator.msSaveBlob(blob, filename);
} else {
var downloadLink = document.element('<a></a>');
downloadLink.attr('href', window.URL.createObjectURL(blob));
downloadLink.attr('download', filename);
downloadLink.attr('target', '_blank');
document.body.append(downloadLink);
downloadLink[0].click();
}
react-admin에서:
function downloadCsv(csv, filename) {
const fakeLink = document.createElement('a');
fakeLink.style.display = 'none';
document.body.appendChild(fakeLink);
const blob = new Blob([csv], { type: 'text/csv' });
if (window.navigator && window.navigator.msSaveOrOpenBlob) {
// Manage IE11+ & Edge
window.navigator.msSaveOrOpenBlob(blob, `${filename}.csv`);
} else {
fakeLink.setAttribute('href', URL.createObjectURL(blob));
fakeLink.setAttribute('download', `${filename}.csv`);
fakeLink.click();
}
};
downloadCsv('Hello World', 'any-file-name.csv');
Java GWT 응용 프로그램에서 클라이언트 측 CSV 파일을 다운로드하는 방법은 다음과 같습니다.자비에르 존의 솔루션에 특별한 감사를 표합니다.FF 24.6.0, IE 11.0.20, Chrome 45.0.2454.99(64비트)에서 동작하는 것이 검증되었습니다.이렇게 하면 시간을 절약할 수 있을 것 같습니다.
public class ExportFile
{
private static final String CRLF = "\r\n";
public static void exportAsCsv(String filename, List<List<String>> data)
{
StringBuilder sb = new StringBuilder();
for(List<String> row : data)
{
for(int i=0; i<row.size(); i++)
{
if(i>0) sb.append(",");
sb.append(row.get(i));
}
sb.append(CRLF);
}
generateCsv(filename, sb.toString());
}
private static native void generateCsv(String filename, String text)
/*-{
var blob = new Blob([text], { type: 'text/csv;charset=utf-8;' });
if (navigator.msSaveBlob) // IE 10+
{
navigator.msSaveBlob(blob, filename);
}
else
{
var link = document.createElement("a");
if (link.download !== undefined) // feature detection
{
// Browsers that support HTML5 download attribute
var url = URL.createObjectURL(blob);
link.setAttribute("href", url);
link.setAttribute("download", filename);
link.style.visibility = 'hidden';
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
}
}
}-*/;
}
여기 있는 답변 중 일부는 Unicode 데이터 및 쉼표(예: 날짜)를 처리하지 않습니다.
function downloadUnicodeCSV(filename, datasource) {
var content = '', newLine = '\r\n';
for (var _i = 0, datasource_1 = datasource; _i < datasource_1.length; _i++) {
var line = datasource_1[_i];
var i = 0;
for (var _a = 0, line_1 = line; _a < line_1.length; _a++) {
var item = line_1[_a];
var it = item.replace(/"/g, '""');
if (it.search(/("|,|\n)/g) >= 0) {
it = '"' + it + '"';
}
content += (i > 0 ? ',' : '') + it;
++i;
}
content += newLine;
}
var link = document.createElement('a');
link.setAttribute('href', 'data:text/csv;charset=utf-8,%EF%BB%BF' + encodeURIComponent(content));
link.setAttribute('download', filename);
link.style.visibility = 'hidden';
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
};
다음은 Angular-friendly 버전입니다.
constructor(private location: Location, private renderer: Renderer2) {}
download(content, fileName, mimeType) {
const a = this.renderer.createElement('a');
mimeType = mimeType || 'application/octet-stream';
if (navigator.msSaveBlob) {
navigator.msSaveBlob(new Blob([content], {
type: mimeType
}), fileName);
}
else if (URL && 'download' in a) {
const id = GetUniqueID();
this.renderer.setAttribute(a, 'id', id);
this.renderer.setAttribute(a, 'href', URL.createObjectURL(new Blob([content], {
type: mimeType
})));
this.renderer.setAttribute(a, 'download', fileName);
this.renderer.appendChild(document.body, a);
const anchor = this.renderer.selectRootElement(`#${id}`);
anchor.click();
this.renderer.removeChild(document.body, a);
}
else {
this.location.go(`data:application/octet-stream,${encodeURIComponent(content)}`);
}
};
위의 답변은 동작하지만 .xls 형식으로 여는 경우 ~~~~의 열은 다음과 같이 구분될 수 있습니다.'\t'대신','https://stackoverflow.com/a/14966131/6169225라는 답변은 제가 사용하던 동안 잘 작동했습니다..join('\t')대신 어레이에.join(',').
이 함수를 사용하여 I convertion name으로 변환합니다.string[][]csv 파일로 변환합니다.셀에 cell이 포함되어 있는 경우 따옴표로 묶습니다.",a,또는 기타 공백(공백 제외):
/**
* Takes an array of arrays and returns a `,` sparated csv file.
* @param {string[][]} table
* @returns {string}
*/
function toCSV(table) {
return table
.map(function(row) {
return row
.map(function(cell) {
// We remove blanks and check if the column contains
// other whitespace,`,` or `"`.
// In that case, we need to quote the column.
if (cell.replace(/ /g, '').match(/[\s,"]/)) {
return '"' + cell.replace(/"/g, '""') + '"';
}
return cell;
})
.join(',');
})
.join('\n'); // or '\r\n' for windows
}
주의: Internet Explorer < 11에서는 동작하지 않습니다.map폴리 충전되어 있습니다.
주의: 셀에 숫자가 포함되어 있는 경우 다음을 추가할 수 있습니다.cell=''+cell전에if (cell.replace...숫자를 문자열로 변환합니다.
또는 ES6를 사용하여 한 줄에 쓸 수 있습니다.
t.map(r=>r.map(c=>c.replace(/ /g, '').match(/[\s,"]/)?'"'+c.replace(/"/g,'""')+'"':c).join(',')).join('\n')
CSV 파일 다운로드
let csvContent = "data:text/csv;charset=utf-8,";
rows.forEach(function (rowArray) {
for (var i = 0, len = rowArray.length; i < len; i++) {
if (typeof (rowArray[i]) == 'string')
rowArray[i] = rowArray[i].replace(/<(?:.|\n)*?>/gm, '');
rowArray[i] = rowArray[i].replace(/,/g, '');
}
let row = rowArray.join(",");
csvContent += row + "\r\n"; // add carriage return
});
var encodedUri = encodeURI(csvContent);
var link = document.createElement("a");
link.setAttribute("href", encodedUri);
link.setAttribute("download", "fileName.csv");
document.body.appendChild(link);
link.click();
매우 빠른 솔루션을 찾고 있다면 이 작은 라이브러리에서 CSV 파일을 작성하고 다운로드할 수도 있습니다.https://github.com/mbrn/filefy
사용법은 매우 간단합니다.
import { CsvBuilder } from 'filefy';
var csvBuilder = new CsvBuilder("user_list.csv")
.setColumns(["name", "surname"])
.addRow(["Eve", "Holt"])
.addRows([
["Charles", "Morris"],
["Tracey", "Ramos"]
])
.exportFile();
이 라이브러리는 많은 도움이 됩니다.https://www.npmjs.com/package/json-to-csv-in-browser
json 배열을 자동으로 csv 파일로 변환하고 웹 사용자에게 csv 파일을 다운로드하도록 요구하는 경우 다운로드 기능도 제공합니다.코드가 거의 없어도 마법처럼 작동합니다.
import { JsonArray, download } from 'json-to-csv-in-browser'
const arr = [
{name : ` vader`, age : 53},
{name : "what", age : 38},
{name : "ever", age : 22}
]
const jsonArray = new JsonArray(arr);
const str = jsonArray.convertToCSVstring();
download("my.csv", str);
건배!
EDIT: 조금 더 테스트합니다.값에 쉼표가 있으면 제대로 작동하지 않습니다.
kno js에 대해 이 기능이 필요한 경우 기본적으로 제안된 솔루션에서 정상적으로 작동합니다.
html:
<a data-bind="attr: {download: filename, href: csvContent}">Download</a>
모델 표시:
// for the download link
this.filename = ko.computed(function () {
return ko.unwrap(this.id) + '.csv';
}, this);
this.csvContent = ko.computed(function () {
if (!this.csvLink) {
var data = ko.unwrap(this.data),
ret = 'data:text/csv;charset=utf-8,';
ret += data.map(function (row) {
return row.join(',');
}).join('\n');
return encodeURI(ret);
}
}, this);
필요에 따라 필드 헤더를 포함하도록 Xavier Johns 함수에 추가했지만 jQuery를 사용합니다.네이티브 Javascript 루프를 위해 각 비트를 변경해야 합니다.
function exportToCsv(filename, rows, headers = false) {
var processRow = function (row) {
row = $.map(row, function(value, index) {
return [value];
});
var finalVal = '';
for (var j = 0; j < row.length; j++) {
if(i == 0 && j == 0 && headers == true){
var ii = 0;
$.each(rows[i], function( index, value ) {
//console.log(index);
var fieldName = index === null ? '' : index.toString();
//console.log(fieldName);
var fieldResult = fieldName.replace(/"/g, '""');
//console.log(fieldResult);
if (fieldResult.search(/("|,|\n)/g) >= 0){
fieldResult = '"' + fieldResult + '"';
}
//console.log(fieldResult);
if (ii > 0){
finalVal += ',';
finalVal += fieldResult;
}else{
finalVal += fieldResult;
}
ii++;
//console.log(finalVal);
});
finalVal += '\n';
//console.log('end: '+finalVal);
}
var innerValue = row[j] === null ? '' : row[j].toString();
if (row[j] instanceof Date) {
innerValue = row[j].toLocaleString();
};
var result = innerValue.replace(/"/g, '""');
if (result.search(/("|,|\n)/g) >= 0){
result = '"' + result + '"';
}
if (j > 0){
finalVal += ',';
finalVal += result;
}else{
finalVal += result;
}
}
return finalVal + '\n';
};
var csvFile = '';
for (var i = 0; i < rows.length; i++) {
csvFile += processRow(rows[i]);
}
var blob = new Blob([csvFile], { type: 'text/csv;charset=utf-8;' });
if (navigator.msSaveBlob) { // IE 10+
navigator.msSaveBlob(blob, filename);
}else{
var link = document.createElement("a");
if (link.download !== undefined) { // feature detection
// Browsers that support HTML5 download attribute
var url = URL.createObjectURL(blob);
link.setAttribute("href", url);
link.setAttribute("download", filename);
link.style.visibility = 'hidden';
document.body.appendChild(link);
link.click();
document.body.removeChild(link);
}
}
}
이는 데이터가 JSON에서 전송되는 수용된 답변에 기초한 수정된 답변입니다.
JSON Data Ouptut:
0 :{emails: "SAMPLE Co., peter@samplecompany.com"}, 1:{emails: "Another CO. , ronald@another.com"}
JS:
$.getJSON('yourlink_goes_here', { if_you_have_parameters}, function(data) {
var csvContent = "data:text/csv;charset=utf-8,";
var dataString = '';
$.each(data, function(k, v) {
dataString += v.emails + "\n";
});
csvContent += dataString;
var encodedUri = encodeURI(csvContent);
var link = document.createElement("a");
link.setAttribute("href", encodedUri);
link.setAttribute("download", "your_filename.csv");
document.body.appendChild(link); // Required for FF
link.click();
});
언급URL : https://stackoverflow.com/questions/14964035/how-to-export-javascript-array-info-to-csv-on-client-side
'source' 카테고리의 다른 글
| SSH 터널을 통한 MySQL 연결 - 다른 MySQL 서버를 지정하는 방법 (0) | 2022.12.21 |
|---|---|
| Xampp 액세스 금지 php (0) | 2022.12.21 |
| IntelliJ IDEA의 파라미터 목록 내에 있을 때 메서드 호출 후에 세미콜론을 추가하는 방법은 무엇입니까? (0) | 2022.12.21 |
| 설치된 Ubuntu LAMP 스택에서 cURL을 활성화하려면 어떻게 해야 합니까? (0) | 2022.12.21 |
| jQuery를 사용하여 요소의 절대 위치를 찾으려면 어떻게 해야 합니까? (0) | 2022.12.21 |

