Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Upload File as String to JavaScript Variable

Tags:

Is there any way for a client to upload a file in an HTML form (e.g. .txt or .csv formats) to a JavaScript variable as a string using only JavaScript? If so, could you provide a simple example? I don't want to use any PHP.

like image 900
zdebruine Avatar asked Jan 04 '13 10:01

zdebruine


Video Answer


1 Answers

Here is a quick and dirty example based on a form named "myform" that contains a file input named "myfile" :

document.forms['myform'].elements['myfile'].onchange = function(evt) {
    if(!window.FileReader) return; // Browser is not compatible

    var reader = new FileReader();

    reader.onload = function(evt) {
        if(evt.target.readyState != 2) return;
        if(evt.target.error) {
            alert('Error while reading file');
            return;
        }

        filecontent = evt.target.result;

        document.forms['myform'].elements['text'].value = evt.target.result;
    };

    reader.readAsText(evt.target.files[0]);
};

Here's the associated HTML form:

<form id="myform">
  <p>
    <input id="myfile" name="files[]" multiple="" type="file" />
    <textarea id="text" rows="20" cols="40">nothing loaded</textarea>
  </p>
</form>

and a jsfiddle to demo it.

like image 171
yent Avatar answered Oct 27 '22 23:10

yent