Skip to content

Instantly share code, notes, and snippets.

@iwek
Last active April 24, 2024 19:05
Show Gist options
  • Star 75 You must be signed in to star a gist
  • Fork 31 You must be signed in to fork a gist
  • Save iwek/7154578 to your computer and use it in GitHub Desktop.
Save iwek/7154578 to your computer and use it in GitHub Desktop.
CSV to JSON Conversion in JavaScript
//var csv is the CSV file with headers
function csvJSON(csv){
var lines=csv.split("\n");
var result = [];
var headers=lines[0].split(",");
for(var i=1;i<lines.length;i++){
var obj = {};
var currentline=lines[i].split(",");
for(var j=0;j<headers.length;j++){
obj[headers[j]] = currentline[j];
}
result.push(obj);
}
//return result; //JavaScript object
return JSON.stringify(result); //JSON
}
@Akshay99
Copy link

how to read file and passing by browse

@Kasun002
Copy link

Kasun002 commented Mar 3, 2015

How to pass csv object to this function

@jonmaim
Copy link

jonmaim commented May 7, 2015

fix the issue with double quoted values https://gist.github.com/jonmaim/7b896cf5c8cfe932a3dd

@cagarweyne
Copy link

You can use Node.js to read the file and pass the read in CSV data to the function.

@anubhav12
Copy link

How to read the csv file ?? Please help

@MakkaHareesh
Copy link

how to pass csv file in function in using html

@jssuttles
Copy link

On my fork, csvFileToJSON reads a CSV file and returns the JSON object.
https://gist.github.com/jssuttles/8fb8b16a152558906469dfefbf88f658
To get a file, you need to either have a file dropped or selected using a select dialog.
https://www.nczonline.net/blog/2012/05/08/working-with-files-in-javascript-part-1/

@hafizaarif
Copy link

hafizaarif commented Jul 27, 2016

what if the csv file is more than 1 GB

@keshavnagpal
Copy link

@jerrymartins
Copy link

To read a csv file locally through the browser, you can use Javascript's FileReader, and then pass the read file to the conversion function
var fileReader = new FileReader();
function getFile(inputFile) {
let file = inputFile.files[0];
fileReader.readAsText(file);
}
function readFile(evt) {
let parsed = csvJSON(evt.target.result);
return parsed;
}

@adhimafauzans
Copy link

@jonmaim thx mate

@DMRE
Copy link

DMRE commented Nov 3, 2017

Thanks ! 👍

@patmccormick
Copy link

This doesn't work when a text field in the CSV file contains 1 or more commas - even if that text field is properly wrapped in quotes. There needs to be some additional code to regex through quote pairs and protect properly formatted strings that contain commas.

@ramonnteixeira
Copy link

ramonnteixeira commented Feb 22, 2018

Add trim to clean whitespaces

`
function csvJSON(csv){

var lines=csv.split("\n");

var result = [];

var headers=lines[0].split(",");

headers = headers.map(function(h) {
return h.trim();
});

for(var i=1;i<lines.length;i++){

  var obj = {};
  var currentline=lines[i].split(",");

  for(var j=0;j<headers.length;j++){
	  obj[headers[j]] = currentline[j].trim();
  }

  result.push(obj);

}

//return result; //JavaScript object
return JSON.stringify(result); //JSON
}
`

@DollarAkshay
Copy link

Anyone reading this,
PLEASE DONT USE THIS

If strings in your csv file have a comma then this will not work.

@stephanie-kuo
Copy link

I use $.ajax to read local .csv file.

$.ajax({
type: "GET",
url: "data.csv",
dataType: "text",
success: function(csv) {
//toJSON function here
}

@317073033
Copy link

317073033 commented Apr 1, 2018

In csv file there a '\r' in each row at the end of last column, and a '\n' in each row at the beginning of the first column except the first row. We need to delete them. Here is the code after I revised.

function csvJSON(csv){

var lines=csv.split('\r');
for(let i = 0; i<lines.length; i++){
lines[i] = lines[i].replace(/\s/,'')//delete all blanks
}

var result = [];

var headers=lines[0].split(",");

for(var i=1;i<lines.length;i++){

  var obj = {};
  var currentline=lines[i].split(",");
  for(var j=0;j<headers.length;j++){
  obj[headers[j].toString()] = currentline[j];
  }
  result.push(obj);

}
return result; //JavaScript object
//return JSON.stringify(result); //JSON
}

@lucasdu4rte
Copy link

lucasdu4rte commented Apr 2, 2018

csvJSON function with functional map

var csvJSON = function(csv){

  var lines = csv.split("\n")
  var result = []
  var headers = lines[0].split(",")

  lines.map(function(line, indexLine){
    if (indexLine < 1) return // Jump header line

    var obj = {}
    var currentline = line.split(",")

    headers.map(function(header, indexHeader){
      obj[header] = currentline[indexHeader]
    })

    result.push(obj)
  })

  result.pop() // remove the last item because undefined values
                  
  return result // JavaScript object
}

@kirkness
Copy link

With modern JS:

const csvToJson = csv => {
  const [firstLine, ...lines] = csv.split('\n');
  return lines.map(line =>
    firstLine.split(',').reduce(
      (curr, next, index) => ({
        ...curr,
        [next]: line.split(',')[index],
      }),
      {}
    )
  );
};

@fairkmitl
Copy link

Try this read and transform CSV to JSON

function csvJSON{
var r = new FileReader();
r.onload = function (e) {
var csv = e.target.result;
console.log(csv);
var lines = csv.split("\r\n");

      var result = [];

      var headers = lines[0].split(",");

      for (var i = 1; i < lines.length; i++) {

        var obj = {};
        var currentline = lines[i].split(",");

        for (var j = 0; j < headers.length; j++) {
          obj[headers[j]] = currentline[j];
        }
        result.push(obj);
      }
      var fair = JSON.stringify(result); 
      console.log(fair);
    }
    r.readAsText(f);
  } else {
    alert("Failed to load file");
  }
}

@OFRBG
Copy link

OFRBG commented Jan 2, 2019

With modern JS:

const csvToJson = csv => {
  const [firstLine, ...lines] = csv.split('\n');
  return lines.map(line =>
    firstLine.split(',').reduce(
      (curr, next, index) => ({
        ...curr,
        [next]: line.split(',')[index],
      }),
      {}
    )
  );
};

I haven't benchmarked it, but this should be faster on wide tables:

const csvToJson = csv => {
  const [firstLine, ...lines] = csv.split('\n');
  const keys = firstLine.split(',');
  return lines.map(line => ((values) =>
    keys.reduce(
      (curr, next, index) => ({
        ...curr,
        [next]: values[index],
      }),
      {}
    )
  )(line.split(',')));
};

@manas-sahu
Copy link

//Here is the full phase working CSV to JSON using vanilla JavaScript and HTML 5, Which populates result in Console.

<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-8" />
    <meta http-equiv="X-UA-Compatible" content="IE=edge">
    <title>CSV to JSON</title>
    <meta name="viewport" content="width=device-width, initial-scale=1">
    <!-- <script src="convert.js"></script> -->
</head>
<body style="text-align:center">
    CSV to JSON
    <script type="text/javascript">
        function Upload() {
            var fileUpload = document.getElementById("fileUpload");
            var regex = /^([a-zA-Z0-9\s_\\.\-:])+(.csv|.txt)$/;
            if (regex.test(fileUpload.value.toLowerCase())) {
                if (typeof (FileReader) != "undefined") {
                    var reader = new FileReader();
                    reader.onload = function (e) {
                        console.log("Raw File");
                        console.log(e.target.result);
                        var lines=e.target.result.split('\r');
                        for(let i = 0; i<lines.length; i++){
                        lines[i] = lines[i].replace(/\s/,'')//delete all blanks
                        }
                        var result = [];

                        var headers=lines[0].split(",");

                        for(var i=1;i<lines.length;i++){

                            var obj = {};
                            var currentline=lines[i].split(",");

                            for(var j=0;j<headers.length;j++){
                                obj[headers[j]] = currentline[j];
                            }

                            result.push(obj);

                        }

                        //return result; //JavaScript object
                        console.log("After JSON Conversion");
                        
                        console.log(JSON.stringify(result));

                        return JSON.stringify(result); //JSON
                        
                    }
                    reader.readAsText(fileUpload.files[0]);
                } else {
                    alert("This browser does not support HTML5.");
                }
            } else {
                alert("Please upload a valid CSV file.");
            }
        }
    </script>
    <br>
    <br>
    <input type="file" id="fileUpload" />
    <input type="button" id="upload" value="Upload" onclick="Upload()" />
</body>
</html>

@php14
Copy link

php14 commented Feb 15, 2019

If i dont have header, how would the first line of code would change?

obj[headers[j]] = currentline[j];

@hassanshaikley
Copy link

hassanshaikley commented Feb 26, 2019

For those unsure how to pass a CSV file the easy way would be to copy paste it into the browser.

  1. Open developer tools / console
  2. Paste the function in
  3. Paste the CSV in like so
var csv = `headerone,headertwo,headerthree
valueone,value2,value3,
...
`
  1. Run the function
csvJSON(csv)

@GuillermoBI
Copy link

Add trim to clean whitespaces

`
function csvJSON(csv){

var lines=csv.split("\n");

var result = [];

var headers=lines[0].split(",");

headers = headers.map(function(h) {
return h.trim();
});

for(var i=1;i<lines.length;i++){

  var obj = {};
  var currentline=lines[i].split(",");

  for(var j=0;j<headers.length;j++){
	  obj[headers[j]] = currentline[j].trim();
  }

  result.push(obj);

}

//return result; //JavaScript object
return JSON.stringify(result); //JSON
}
`

this Method works for me, i have been searching a lot of time, but this partner have a correct answer, thanks.. really

@Najwa199756
Copy link

@GillermoBI : plz can uu tell us how can i do to execute the script & run it to see the result , cause i don't see how can i put my file_csv ....?

@GuillermoBI
Copy link

@GillermoBI : plz can uu tell us how can i do to execute the script & run it to see the result , cause i don't see how can i put my file_csv ....?
@Najwa199756 sure, the script, running in the moment to read a file, from a file input type:

<div class="col-4 col-button">
          <button mat-stroked-button color="primary" (click)="fileInput.click()"> <mat-icon>attachment</mat-icon> Cargar</button>
          <label for="fileInput"></label>
          <input id="fileInput" (change)="onFileSelected($event)" #fileInput type="file" hidden/>
          <button mat-stroked-button color="primary" *ngIf="layout" (click)="viewLayout()" matTooltip="ver Layout">
            <mat-icon>attach_file</mat-icon>
          </button>
        </div>

(i use angular 8 for my app), later, when the event fires, i read the file with FileReader and converts as a text:

  • some validations for my app it's included
  • tempLayout its the result of the csv converted to json,
onFileSelected(event) {
    let reader = new FileReader();
    if (event.target.files && event.target.files.length > 0) {
      let position = event.target.files[0].name.indexOf('.');
      if(event.target.files[0].name.substring((position+1), event.target.files[0].name.length) === 'csv'){
        reader.readAsText(event.target.files[0]);
        reader.onload = (e) => {
          const csv: string = reader.result as string;
          let tempLayout = this.csvJSON(csv);
          tempLayout = this.checkLayout(tempLayout);
          if(tempLayout){
            if(!this.filterLayout(tempLayout)){
              event.target.value = '';
            }
          } else {
            event.target.value = '';
          }
        }
      } else {
        this.comunesService.showMessage("debe insertar un archivo con terminacion .csv");
        event.target.value = '';
        this.layout = undefined;
        this.layoutChanged = undefined;
        this.openDialog();
      }
    }
  }

later, when some validations it's ok, i use the csv-json converter

csvJSON(csv: string){
    let lines=csv.split("\n");
    let result = [];
    let headers=lines[0].split(",");
    let that = this;
    headers = headers.map(function(h) {
      h = h.toLowerCase(); 
      h = that.camelCase(h);
      return h.trim();
    });

    for(let i=1;i<lines.length;i++){
        let obj = {};
        let currentline=lines[i].split(",");
        
        for(let j=0;j<headers.length;j++){
            if(currentline[j]){
              obj[headers[j]] = currentline[j].trim();
            } else {
            obj[headers[j]] = "";
            }
        }
        result.push(obj);
    }
    return result;
  }
  • the output attach in a file for view how is the result

Captura de Pantalla 2020-02-18 a la(s) 11 18 42

Captura de Pantalla 2020-02-18 a la(s) 11 20 07

the function to camelcase() and toLowerCase() its only for a format that i use for my info, it's not necessary.
I hope to this info helps you and others that have this same problem, other thing, sorry for mi english, i'm learning it, hehe

@waicampos
Copy link

@OFRBG I liked this your solution. I suggest just filtering the lines before iteration to eliminate blank lines from the csv file.

const csvToJson = csv => {
  const [firstLine, ...lines] = csv.split('\n');
  const keys = firstLine.split(',');
  // add a filter here
  return lines.filter(line => line).map(line => ((values) => 
    keys.reduce(
      (curr, next, index) => ({
        ...curr,
        [next]: values[index],
      }),
      {}
    )
  )(line.split(',')));
};

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment