1. ホーム
  2. node.js

[解決済み] Node.jsでPOSTデータを処理する方法は?

2022-03-14 23:53:02

質問

フォームデータを抽出する方法 ( form[method="post"] から送信されたファイルアップロードと、HTTP POST メソッドで Node.js ?

ドキュメントを読んでも、ググっても、何も出てきません。

function (request, response) {
    //request.post????
}

ライブラリやハックはないのですか?

解決方法は?

を使用する場合 エクスプレス (Node.jsの高性能・高級Web開発)を使えば、こんなことができます。

HTMLです。

<form method="post" action="/">
    <input type="text" name="user[name]">
    <input type="text" name="user[email]">
    <input type="submit" value="Submit">
</form>

APIクライアントです。

fetch('/', {
    method: 'POST',
    headers: {
        'Content-Type': 'application/json'
    },
    body: JSON.stringify({
        user: {
            name: "John",
            email: "[email protected]"
        }
    })
});

Node.jsです。 (Express v4.16.0以降)

// Parse URL-encoded bodies (as sent by HTML forms)
app.use(express.urlencoded());

// Parse JSON bodies (as sent by API clients)
app.use(express.json());

// Access the parse results as request.body
app.post('/', function(request, response){
    console.log(request.body.user.name);
    console.log(request.body.user.email);
});

Node.jsです。 (Express <4.16.0 の場合)

const bodyParser = require("body-parser");

/** bodyParser.urlencoded(options)
 * Parses the text as URL encoded data (which is how browsers tend to send form data from regular forms set to POST)
 * and exposes the resulting object (containing the keys and values) on req.body
 */
app.use(bodyParser.urlencoded({
    extended: true
}));

/**bodyParser.json(options)
 * Parses the text as JSON and exposes the resulting object on req.body.
 */
app.use(bodyParser.json());

app.post("/", function (req, res) {
    console.log(req.body.user.name)
});