140

我需要上传一张图片,并显示它,并保存它,这样我在刷新本地主机时就不会丢失它。这需要使用“上传”按钮来完成,该按钮会提示选择文件。

我正在使用 node.js 并表示服务器端代码。

4

1 回答 1

309

首先,您应该制作一个包含文件输入元素的 HTML 表单。您还需要将表单的enctype属性设置为multipart/form-data

<form method="post" enctype="multipart/form-data" action="/upload">
    <input type="file" name="file">
    <input type="submit" value="Submit">
</form>

假设表单在index.html中定义,存储在相对于脚本所在位置的名为public的目录中,您可以通过以下方式提供它:

const http = require("http");
const path = require("path");
const fs = require("fs");

const express = require("express");

const app = express();
const httpServer = http.createServer(app);

const PORT = process.env.PORT || 3000;

httpServer.listen(PORT, () => {
  console.log(`Server is listening on port ${PORT}`);
});

// put the HTML file containing your form in a directory named "public" (relative to where this script is located)
app.get("/", express.static(path.join(__dirname, "./public")));

完成后,用户将能够通过该表单将文件上传到您的服务器。但是要在您的应用程序中重新组装上传的文件,您需要解析请求正文(作为多部分表单数据)。

Express 3.x中,您可以使用express.bodyParser中间件来处理多部分表单,但从Express 4.x开始,没有与框架捆绑的正文解析器。幸运的是,您可以从许多可用的multipart/form-data解析器中进行选择。在这里,我将使用multer

您需要定义一个路由来处理表单帖子:

const multer = require("multer");

const handleError = (err, res) => {
  res
    .status(500)
    .contentType("text/plain")
    .end("Oops! Something went wrong!");
};

const upload = multer({
  dest: "/path/to/temporary/directory/to/store/uploaded/files"
  // you might also want to set some limits: https://github.com/expressjs/multer#limits
});


app.post(
  "/upload",
  upload.single("file" /* name attribute of <file> element in your form */),
  (req, res) => {
    const tempPath = req.file.path;
    const targetPath = path.join(__dirname, "./uploads/image.png");

    if (path.extname(req.file.originalname).toLowerCase() === ".png") {
      fs.rename(tempPath, targetPath, err => {
        if (err) return handleError(err, res);

        res
          .status(200)
          .contentType("text/plain")
          .end("File uploaded!");
      });
    } else {
      fs.unlink(tempPath, err => {
        if (err) return handleError(err, res);

        res
          .status(403)
          .contentType("text/plain")
          .end("Only .png files are allowed!");
      });
    }
  }
);

在上面的示例中,发布到/upload的.png文件将保存到相对于脚本所在位置的上传目录。

为了显示上传的图片,假设您已经有一个包含img元素的 HTML 页面:

<img src="/image.png" />

您可以在您的快递应用程序中定义另一条路线并用于res.sendFile提供存储的图像:

app.get("/image.png", (req, res) => {
  res.sendFile(path.join(__dirname, "./uploads/image.png"));
});
于 2013-04-02T20:00:07.317 回答