4. 使用nodejs和express搭建http web服务
简介
nodejs作为一个优秀的异步IO框架,其本身就是用 来作为http web服务器使用的,nodejs中的http模块,提供了很多非常有用的http相关的功能。
虽然nodejs已经带有http的处理模块,但是对于现代web应用程序来说,这或许还不太够,于是我们有了express框架,来对nodejs的内容进行扩展。
今天我们将会介绍一下使用nodejs和express来开发web应用程序的区别。
使用nodejs搭建HTTP web服务
nodejs提供了http模块,我们可以很方便的使用http模块来创建一个web服务:
const http = require('http')
const hostname = '127.0.0.1'
const port = 3000
const server = http.createServer((req, res) => {
res.statusCode = 200
res.setHeader('Content-Type', 'text/plain')
res.end('welcome to www.flydean.com\n')
})
server.listen(port, hostname, () => {
console.log(`please visit http://${hostname}:${port}/`)
})
上面创建的http服务监听在3000端口。我们通过使用createServer方法来创建这个http服务。
该方法接受一个callback函数,函数的两个参数分别是 req (http.IncomingMessage 对象)和一个res(http.ServerResponse 对像)。
在上面的例子中,我们在response中设置了header和body值,并且以一个end方法来结束response。
请求nodejs服务
我们创建好http web服务之后,一般情况下是从web浏览器端进行访问和调用。但是我们有时候也需要从nodejs后端服务中调用第三方应用的http接口,下面的例子将会展示如何使用nodejs来调用http服务。
先看一个最简单的get请求:
const http = require('http')
const options = {
hostname: 'www.flydean.com',
port: 80,
path: '/',
method: 'GET'
}
const req = http.request(options, res => {
console.log(`status code: ${res.statusCode}`)
res.on('data', d => {
console.log(d);
})
})
req.on('error', error => {
console.error(error)
})
req.end()