使用Node js处理POST请求数据

时间:2018-12-11 21:11:39

标签: html node.js forms post

是否有任何方法可以使用POST方法以表格的形式获取段落所包含的文本? 我想在下面的段落中获取文本:

<form id="selected_activity_form" method="POST" action=<%=token%>>
        <p>text_goes_here</p>
        <input type="submit" value="click" name="btn" id="btn"/>
</form>

P.S。 我正在使用Node Js处理请求。

1 个答案:

答案 0 :(得分:-1)

*************************************************** *示例-1 *****************************************

<form method="POST" action="/login">
   <input name="email" placeholder="Email Address" />
   <input name="password" placeholder="Password" />
</form>

const http = require('http'),
const qs = require('querystring');

var server = http.createServer(function(req, res) {
  if (req.method === 'POST' && req.url === '/login') {
    var body = '';
    req.on('data', function(chunk) {
      body += chunk;
    });
    req.on('end', function() {
      var data = qs.parse(body);

      //**** now you can access `data.email` and `data.password`********//

      res.writeHead(200);
      res.end(JSON.stringify(data));
    });
  } else {
    res.writeHead(404);
    res.end();
  }
});

server.listen(80);

*****************************示例-2 *************** ********

<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<title>CSS3 Contact Form</title>
</head>
<body>
<div id="contact">
    <h1>Send an email</h1>
    <form action="/myaction" method="post">
        <fieldset>
            <label for="name">Name:</label>
            <input type="text" id="name" name="name" placeholder="Enter your full name" />

            <label for="email">Email:</label>
            <input type="email" id="email" placeholder="Enter your email address" />

            <label for="message">Message:</label>
            <textarea id="message" placeholder="What's on your mind?"></textarea>

            <input type="submit" value="Send message" />

        </fieldset>
    </form>
</div>
</body>
</html>

使用http.createServer是非常底层的,对于按原样创建Web应用程序确实没有用。

Express是一个可以在其上使用的好框架,我会认真建议使用它。您可以使用npm install express安装它。

拥有后,您可以创建一个基本的应用程序来处理表单:

var express = require('express');
    var bodyParser = require('body-parser');
    var app     = express();

    //Note that in version 4 of express, express.bodyParser() was
    //deprecated in favor of a separate 'body-parser' module.
    app.use(bodyParser.urlencoded({ extended: true })); 

    //app.use(express.bodyParser());

    app.post('/myaction', function(req, res) {
      res.send('You sent the name "' + req.body.name + '".');
    });

    app.listen(8080, function() {
      console.log('Server running at http://127.0.0.1:8080/');
    });

您可以使用以下方法将表单指向该表单:

<form action="http://127.0.0.1:8080/myaction" method="post">

之所以无法在端口80上运行Node,是因为该端口上已经有一个进程在运行(正在为index.html提供服务)。您可以使用Express还可以使用express.static中间件来提供静态内容,例如index.html。