HTTP 请求 (fetch)
在 Deno Deploy 中,Fetch API 允许您发出出站 HTTP 请求。它是一个 Web 标准,具有以下接口
fetch()
- 允许您发出出站 HTTP 请求的方法Request
- 表示 fetch() 的请求资源Response
- 表示 fetch() 的响应资源Headers
- 表示请求和响应的 HTTP 头部。
本页展示了 fetch() 方法的用法。您可以点击上面的其他接口以了解更多信息。
Fetch 还支持从文件 URL 中获取静态文件。有关静态文件的更多信息,请参阅 文件系统 API 文档。
fetch()
fetch()
方法会向提供的资源发起网络请求,并返回一个承诺,该承诺在响应可用后解析。
function fetch(
resource: Request | string,
init?: RequestInit,
): Promise<Response>;
参数
名称 | 类型 | 可选 | 描述 |
---|---|---|---|
资源 | 请求 USVString | false | 资源可以是请求对象或 URL 字符串。 |
init | RequestInit | true | init 对象允许您对请求应用可选参数。 |
fetch()
的返回值是一个 promise,它解析为一个 Response
。
示例
下面的 Deno Deploy 脚本对 GitHub API 发出 fetch()
请求以响应每个传入请求,然后从处理程序函数返回该响应。
async function handler(req: Request): Promise<Response> {
const resp = await fetch("https://api.github.com/users/denoland", {
// The init object here has an headers object containing a
// header that indicates what type of response we accept.
// We're not specifying the method field since by default
// fetch makes a GET request.
headers: {
accept: "application/json",
},
});
return new Response(resp.body, {
status: resp.status,
headers: {
"content-type": "application/json",
},
});
}
Deno.serve(handler);