Jakka rohith
Jakka rohith

Reputation: 605

Write a file into specific folder in node js?

Would like to write data into specific folder using writefile in node js.

I have seen couple of questions in stackoverflow regarding this but none of them worked for me .

For example :

fs.writeFile('./niktoResults/result.txt', 'This is my text', function (err) {
    if (err) throw err;
    console.log('Results Received');
});

This throws an error "NO SUCH FILE OR DIRECTORY"

Is there any alternative for writing data into specific folder node js ???

Upvotes: 1

Views: 4212

Answers (2)

explorer
explorer

Reputation: 952

Ensure that the directory is available & accessible in the working directory. In this case, a function like below needs to be called at the start of the application.

function initialize() {
  const exists = fs.existsSync('./niktoResults');
  if(exists === true) {
    return;
  }
  fs.mkdirSync('./niktoResults')
}

Upvotes: 5

ABC
ABC

Reputation: 2148

Error caused by directory not existing, create a directory if it does not exist.

function create(text, directory, filename)
{
    if (!fs.existsSync(directory)) {
        fs.mkdirSync(directory);
        console.log('Directory created');
        create(text, directory);
    } else {
        fs.writeFile(`${directory}/${filename}`, `${text}`, function (error) {
            if (error) {
                throw error;
            } else {
                console.log('File created');
            }
        });
    }

}

create('Text', 'directory', 'filename.txt');

Upvotes: 1

Related Questions