ローカルホストを更新したときに失われないように、画像をアップロードして表示し、保存する必要があります。これは、ファイルの選択を求める「アップロード」ボタンを使用して行う必要があります。
私はnode.jsを使用しており、サーバー側のコードを表現しています。
まず、 file input element を含む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(3000, () => {
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!");
});
}
}
);
上記の例では、。png/ uploadに投稿されたファイルはスクリプトが置かれている場所を基準にしてuploadedディレクトリに保存されます。
アップロードされた画像を表示するために、img要素を含むHTMLページが既にあると仮定します:
<img src="/image.png" />
expressアプリで別のルートを定義し、res.sendFile
を使用して保存された画像を提供できます。
app.get("/image.png", (req, res) => {
res.sendFile(path.join(__dirname, "./uploads/image.png"));
});