84

我正在尝试将 csv 文件转换为 json。我在用 。

示例 CSV:

a,b,c,d
1,2,3,4
5,6,7,8
...

所需的 JSON:

{"a": 1,"b": 2,"c": 3,"d": 4},
{"a": 5,"b": 6,"c": 7,"d": 8},
...

我尝试了 node-csv 解析器库。但输出就像数组,不像我预期的那样。

我正在使用 Node 0.8 和 express.js,并希望获得有关如何轻松完成此任务的建议。

4

17 回答 17

108

Node.jscsvtojson模块是一个全面的 nodejs csv 解析器。在 or 的帮助下,它可以用作 node.js 应用程序库/命令行工具/或浏览browserifywebpack

源代码可以在以下位置找到:https ://github.com/Keyang/node-csvtojson

它速度快,内存消耗低,但功能强大,可以通过丰富的 API 和易于阅读的文档来支持任何解析需求。

详细的文档可以在这里找到

以下是一些代码示例:

将其用作 Node.js 应用程序中的库 (csvtojson@2.0.0 +):

  1. 通过安装它npm

npm install --save csvtojson@latest

  1. 在你的 node.js 应用程序中使用它:
// require csvtojson
var csv = require("csvtojson");

// Convert a csv file with csvtojson
csv()
  .fromFile(csvFilePath)
  .then(function(jsonArrayObj){ //when parse finished, result will be emitted here.
     console.log(jsonArrayObj); 
   })

// Parse large csv with stream / pipe (low mem consumption)
csv()
  .fromStream(readableStream)
  .subscribe(function(jsonObj){ //single json object will be emitted for each csv line
     // parse each json asynchronousely
     return new Promise(function(resolve,reject){
         asyncStoreToDb(json,function(){resolve()})
     })
  }) 

//Use async / await
const jsonArray=await csv().fromFile(filePath);

将其用作命令行工具:

sh# npm install csvtojson
sh# ./node_modules/csvtojson/bin/csvtojson ./youCsvFile.csv

-或者-

sh# npm install -g csvtojson
sh# csvtojson ./yourCsvFile.csv

对于高级用法:

sh# csvtojson --help

您可以从上面的 github 页面找到更多详细信息。

于 2013-06-19T11:46:59.747 回答
23

您可以尝试使用underscore.js

首先使用toArray函数转换数组中的行:

var letters = _.toArray(a,b,c,d);
var numbers = _.toArray(1,2,3,4);

然后使用对象函数将数组对象在一起:

var json = _.object(letters, numbers);

到那时,json var 应该包含如下内容:

{"a": 1,"b": 2,"c": 3,"d": 4}
于 2013-05-30T08:36:19.737 回答
15

不得不做类似的事情,希望这会有所帮助。

// Node packages for file system
var fs = require('fs');
var path = require('path');


var filePath = path.join(__dirname, 'PATH_TO_CSV');
// Read CSV
var f = fs.readFileSync(filePath, {encoding: 'utf-8'}, 
    function(err){console.log(err);});

// Split on row
f = f.split("\n");

// Get first row for column headers
headers = f.shift().split(",");

var json = [];    
f.forEach(function(d){
    // Loop through each row
    tmp = {}
    row = d.split(",")
    for(var i = 0; i < headers.length; i++){
        tmp[headers[i]] = row[i];
    }
    // Add object to list
    json.push(tmp);
});

var outPath = path.join(__dirname, 'PATH_TO_JSON');
// Convert object to string, write json to file
fs.writeFileSync(outPath, JSON.stringify(json), 'utf8', 
    function(err){console.log(err);});
于 2015-04-24T04:00:27.730 回答
12

这是一个不需要单独模块的解决方案。但是,它非常粗糙,并没有实现太多的错误处理。它也可以使用更多测试,但它会让你继续前进。如果您正在解析非常大的文件,您可能需要寻找替代方案。另外,请参阅Ben Nadel 的这个解决方案

节点模块代码,csv2json.js:

/*
 * Convert a CSV String to JSON
 */
exports.convert = function(csvString) {
    var json = [];
    var csvArray = csvString.split("\n");

    // Remove the column names from csvArray into csvColumns.
    // Also replace single quote with double quote (JSON needs double).
    var csvColumns = JSON
            .parse("[" + csvArray.shift().replace(/'/g, '"') + "]");

    csvArray.forEach(function(csvRowString) {

        var csvRow = csvRowString.split(",");

        // Here we work on a single row.
        // Create an object with all of the csvColumns as keys.
        jsonRow = new Object();
        for ( var colNum = 0; colNum < csvRow.length; colNum++) {
            // Remove beginning and ending quotes since stringify will add them.
            var colData = csvRow[colNum].replace(/^['"]|['"]$/g, "");
            jsonRow[csvColumns[colNum]] = colData;
        }
        json.push(jsonRow);
    });

    return JSON.stringify(json);
};

茉莉花测试,csv2jsonSpec.js:

var csv2json = require('csv2json.js');

var CSV_STRING = "'col1','col2','col3'\n'1','2','3'\n'4','5','6'";
var JSON_STRING = '[{"col1":"1","col2":"2","col3":"3"},{"col1":"4","col2":"5","col3":"6"}]';

/* jasmine specs for csv2json */
describe('csv2json', function() {

    it('should convert a csv string to a json string.', function() {
        expect(csv2json.convert(CSV_STRING)).toEqual(
                JSON_STRING);
    });
});
于 2013-09-18T15:16:05.463 回答
6

使用 ES6

const toJSON = csv => {
    const lines = csv.split('\n')
    const result = []
    const headers = lines[0].split(',')

    lines.map(l => {
        const obj = {}
        const line = l.split(',')

        headers.map((h, i) => {
            obj[h] = line[i]
        })

        result.push(obj)
    })

    return JSON.stringify(result)
}

const csv = `name,email,age
francis,francis@gmail.com,33
matty,mm@gmail.com,29`

const data = toJSON(csv)

console.log(data)

输出

// [{"name":"name","email":"email","age":"age"},{"name":"francis","email":"francis@gmail.com","age":"33"},{"name":"matty","email":"mm@gmail.com","age":"29"}]
于 2020-04-03T10:00:33.610 回答
5

使用lodash

function csvToJson(csv) {
  const content = csv.split('\n');
  const header = content[0].split(',');
  return _.tail(content).map((row) => {
    return _.zipObject(header, row.split(','));
  });
}
于 2016-02-12T01:01:49.000 回答
4

如果您只想要一个命令行转换器,对我来说最快和最干净的解决方案是通过 npx 使用csvtojson 默认包含在 node.js 中)

$ npx csvtojson ./data.csv > data.json

于 2018-06-25T12:45:13.567 回答
3

我没有尝试过 csv 包https://npmjs.org/package/csv 但根据文档,它看起来质量实施http://www.adaltas.com/projects/node-csv/

于 2013-05-30T09:38:53.440 回答
3

我从node-csvtojson开始,但它为我的链接带来了太多依赖。

基于您的问题和brnd 的答案,我使用了node-csvunderscore.js

var attribs;
var json:
csv()
    .from.string(csvString)
    .transform(function(row) {
        if (!attribs) {
            attribs = row;
            return null;
        }
        return row;
     })
    .to.array(function(rows) {
        json = _.map(rows, function(row) {
            return _.object(attribs, row);
        });
     });
于 2014-04-10T17:20:34.197 回答
2

我有一个非常简单的解决方案,只需使用 csvtojson 模块在控制台上从 csv 打印 json。

// require csvtojson
var csv = require("csvtojson");

const csvFilePath='customer-data.csv' //file path of csv
csv()
.fromFile(csvFilePath)``
.then((jsonObj)=>{
    console.log(jsonObj);
})
于 2018-09-03T07:39:35.223 回答
1

Node-ETL包足以满足所有 BI 处理。

npm install node-etl; 

然后 :

var ETL=require('node-etl');
var output=ETL.extract('./data.csv',{
              headers:["a","b","c","d"],
              ignore:(line,index)=>index!==0, //ignore first line
 });
于 2016-07-22T07:06:03.633 回答
1

我使用csvtojson库将 csv 字符串转换为 json 数组。它具有多种功能,可以帮助您转换为 JSON。
它还支持从文件和文件流中读取。

解析可能包含 comma(,) 或任何其他分隔符的 csv 时要小心。要删除分隔符,请在此处查看我的答案。

于 2017-06-09T12:34:44.087 回答
1

步骤1:

安装节点模块: npm install csvtojson --save

第2步:

var Converter = require("csvtojson").Converter;

var converter = new Converter({});

converter.fromFile("./path-to-your-file.csv",function(err,result){

    if(err){
        console.log("Error");
        console.log(err);  
    } 
    var data = result;

    //to check json
    console.log(data);
});
于 2017-09-05T06:46:14.947 回答
0

我和我的伙伴创建了一个 Web 服务来处理这种事情。

查看Modifly.co以获取有关如何通过单个 RESTful 调用将 CSV 转换为 JSON 的说明。

于 2013-10-25T06:10:34.927 回答
0

npm install csvjson --save
在你的 Node JS 文件中

const csvjson = require('csvjson');
convertCSVToJSON(*.csv);

convertCSVToJSON = (file) => {
  const convertedObj = csvjson.toObject(file);
}

于 2021-01-14T12:05:05.983 回答
0

csvtojson 模块是一个全面的 nodejs csv 解析器,用于将 csv 转换为 json 或列数组。它可以用作 node.js 库/命令行工具/或在浏览器中使用。以下是一些功能:

/** csv file
a,b,c
1,2,3
4,5,6
*/
const csvFilePath='<path to csv file>'
const csv=require('csvtojson')
csv()
.fromFile(csvFilePath)
.then((jsonObj)=>{
    console.log(jsonObj);
    /**
     * [
     *  {a:"1", b:"2", c:"3"},
     *  {a:"4", b:"5". c:"6"}
     * ]
     */ 
})
 
// Async / await usage
const jsonArray=await csv().fromFile(csvFilePath);
于 2021-08-17T06:42:54.097 回答
0

使用csv 解析器库,我在这里更详细地解释如何使用它。

var csv = require('csv');
csv.parse(csvText, {columns: true}, function(err, data){
    console.log(JSON.stringify(data, null, 2));
});
于 2017-02-15T18:34:49.123 回答