Переменная node.js make с URL загруженного файла - PullRequest
0 голосов
/ 17 сентября 2018

Привет, я использую нод и грозно для отправки файла в форме, URL этого файла мне нужно сохранить в глобальной переменной, чтобы потом использовать его с API распознавания изображений WATSON IBM.

Я новичок в узле, поэтому я застрял, имя переменной newpath, я могу напечатать его после отправки формы, но не могу получить доступ к переменной позже.

Я, должно быть, делаю что-то не так, я очень признателен, если вы укажете мне мою ошибку.

const http = require('http');
var formidable = require('formidable');

const hostname = '127.0.0.1';
const port = 3500;

var fs = require('fs');

/// WATSON

var VisualRecognitionV3 = require('watson-developer-cloud/visual-recognition/v3');
var visualRecognition = new VisualRecognitionV3({
  version: '2018-03-19',
  iam_apikey: 'xxxxxxx'
});

// SERVER AND FORM

const server = http.createServer((req, res) => {

  if (req.url == '/fileupload') {
    var form = new formidable.IncomingForm();
    form.parse(req, function (err, fields, files) {
      var oldpath = files.filetoupload.path;
      var newpath = '/users/myuser/coding/visualr/' + files.filetoupload.name;

      fs.rename(oldpath, newpath, function (err) {
        if (err) throw err;
        res.write('File uploaded and moved!');
        // this is the path, variable newpath, but can't be accessed
        // outside this function, tried to make it global but didn't work either

        res.write('newpath');
        res.end();
      });


 });

  } else {
    res.writeHead(200, {'Content-Type': 'text/html'});
    res.write('<form action="fileupload" method="post" enctype="multipart/form-data">');
    res.write('<input type="file" name="filetoupload"><br>');
    res.write('<input type="submit">');
    res.write('</form>');
    return res.end();
  }
  });


 var images_file = fs.createReadStream(newpath);
// I want to put the variable newpath in this function: but it doesn't work...

var params = {
  images_file: images_file,
};

visualRecognition.classify(params, function(err, response) {
  if (err)
    console.log(err);
  else
    console.log(JSON.stringify(response, null, 2))
});


// ENDS

server.listen(port, hostname, () => {
  console.log(`Server running at http://${hostname}:${port}/`);
});

1 Ответ

0 голосов
/ 18 сентября 2018

Переменная определяется в контексте блока if (req.url == '/fileupload') {...}, поэтому она не будет доступна за пределами этого блока.

Чтобы использовать переменную везде в коде, определите ее за пределами createServer блок:

var newpath; // this variable will have global context for this file

const server = http.createServer((req, res) => {

  if (req.url == '/fileupload') {
    var form = new formidable.IncomingForm();
    form.parse(req, function (err, fields, files) {
      var oldpath = files.filetoupload.path;

      // set the variable to its intended value here
      newpath = '/users/myuser/coding/visualr/' + files.filetoupload.name;

      fs.rename(oldpath, newpath, function (err) {
        if (err) throw err;
        res.write('File uploaded and moved!');
        res.write('newpath');
        res.end();
      });
    });
  } else {
    res.writeHead(200, {'Content-Type': 'text/html'});
    res.write('<form action="fileupload" method="post" enctype="multipart/form-data">');
    res.write('<input type="file" name="filetoupload"><br>');
    res.write('<input type="submit">');
    res.write('</form>');
    return res.end();
  }
});

console.log(newpath); // the variable should be available here, because of its context
...