NodeJS内置http模块的使用
NodeJS内置http模块的使用
-
根据URL的查询字符串转换成我们能看懂的
const http = require('http') const url = require('url') const qs = require('querystring') http.createServer((req, res) => { if (req.url.includes('/user/deleteById')){ let str = url.parse(req.url).query console.log(str); //id=1 console.log(qs.parse(str)); //{ id: '1' } } res.end('hello') }).listen(8888)
-
案例(重要)
class MyMessage {
constructor(status, data, message) {
this.status = status
this.data = data
this.message = message
this.timestamp = new Date().getTime()
}
static sendSuccess(data) {
return new MyMessage(200, data, '操作成功')
}
static sendFail() {
return new MyMessage(500, null, '操作失败')
}
}
module.exports = MyMessage
/*
* 其实你写的时候你就会发现,你写this.的时候是没有提示的,这应该是给将来调用者设置的属性,
* 这就意味着你能设置的属性不仅仅局限于构造器的形参,你还可以设置其它的属性
* 原来这里的构造器也叫构造函数,所以new的时候会被调用
* 用static修饰的原因是想要直接通过类名调用
* 跟java一模一样
* */
const http = require('http')
const MyMessage = require('./MyMessage')
http.createServer((req, res) => {
if (req.url === '/') {
res.write('测试ok')
res.end()
}
if (req.url === '/saveOrUpdate' && req.method === 'POST') {
let str = ''
req.on('data', chunk => {
str += chunk
})
req.on('end', () => {
let param = JSON.parse(str)
if (param.id) {
res.write(JSON.stringify(MyMessage.sendSuccess(null)))
res.end()
}else {
res.write(JSON.stringify(MyMessage.sendSuccess(null)))
res.end()
}
})
}
}).listen(3000)
/*
* 那么为什么这个回调的参数叫做chunk呢?这就有意思了,因为如果数据流大的话,它不能一次性接收到,
* 而是一捆一捆发过来的,以这样分多次发的形式。就是说这个回调可能会触发多次
* chunk本身也有 一束、一捆 的意思,这也是为什么要用str拼接起来的原因。
* */
这一路,灯火通明