使用 Express、TypeScript 和 Deno 搭建 REST API 服务
以下是一个使用Express、TypeScript和Deno搭建REST API服务的简单示例。请注意,这里仅展示核心代码,并假设已经有相关的TypeScript和Deno配置。
Express REST API 服务器 (server.ts)
import express from 'express';
import { urlencoded, json } from 'body-parser';
// 创建 Express 应用
const app = express();
// 中间件:用于解析请求体
app.use(urlencoded({ extended: true }));
app.use(json());
// 简单的 GET 路由
app.get('/', (req, res) => {
res.send('Hello World!');
});
// 监听端口
const PORT = process.env.PORT || 3000;
app.listen(PORT, () => {
console.log(`Server is running on port ${PORT}`);
});
Deno 版本的 REST API 服务器 (server\_deno.ts)
import { Application } from 'https://deno.land/x/oak/mod.ts';
// 创建 Oak (原 Deno 的 oak) 应用
const app = new Application();
// 简单的 GET 路由
app.get('/', (ctx) => {
ctx.response.body = 'Hello World!';
});
// 监听端口
const PORT = Deno.env.get('PORT') || 3000;
await app.listen(`0.0.0.0:${PORT}`);
console.log(`Server is running on port ${PORT}`);
在这两个示例中,我们创建了一个简单的REST API服务器,它监听特定端口,并响应对根URL ('/') 的GET请求。在Express示例中,我们使用了body-parser
中间件来解析请求体。在Deno示例中,我们使用了Oak(原来的Deno HTTP服务器库),它内置了请求体解析功能。
请注意,这些示例仅用于教学目的,并且在生产环境中可能需要额外的配置和安全措施。
评论已关闭