目录
- 前言
- http网络库组件介绍
- http网络库封装
- 创建Har Module
- 创建RequestOption 配置类
- 创建HttpCore核心类
- 创建HttpManager核心类
- 对外组件导出
- 添加网络权限
- http网络库依赖和使用
- 依赖http网络库(httpLibrary)
- 使用http网络库(httpLibrary)
前言
现在网上的应用,基本都是网络应用,需要进行联网获取数据,而常用的联网获取数据的方式有http、socket、websocket等。
在鸿蒙应用、服务中,stage模式开发下,鸿蒙官方为我们提供了一个网络组件库 http ,我们通过
import http from ‘@ohos.net.http’; 即可以完成引用。
http网络库组件介绍
@ohos.net.http (数据请求)
该组件提供HTTP数据请求能力。应用可以通过HTTP发起一个数据请求,支持常见的GET、POST、OPTIONS、HEAD、PUT、DELETE、TRACE、CONNECT方法。
具体查看官网
通过官网的介绍,可以很快上手该组件的使用,下面我们对该网络库进行简单的封装,方便我们的使用
http网络库封装
网络库工程结构如下图:
具体步骤如下:
- 创建Har Module
- 创建RequestOption请求配置类
- 创建HttpCore核心类
- 创建HttpManager对外管理类
- 对外组件导出
- 添加网络权限
创建Har Module
我们创建一个Module ,类型选择为Har,3.1Beta IDE选择 Visual Library,这里我们创建module名称为
httpLibrary。
创建RequestOption 配置类
代码如下:
/** *
* @desc : 网络请求配置 *
*/ export interface RequestOptions { /** * Request url. */ url?: string; /** * Request method. */ method?: RequestMethod; // default is GET /** * Request url queryParams . */ queryParams ?: Record; /** * Additional data of the request. * extraData can be a string or an Object (API 6) or an ArrayBuffer(API 8). */ extraData?: string | Object | ArrayBuffer; /** * HTTP request header. */ header?: Object; // default is 'content-type': 'application/json' } export enum RequestMethod { OPTIONS = "OPTIONS", GET = "GET", HEAD = "HEAD", POST = "POST", PUT = "PUT", DELETE = "DELETE", TRACE = "TRACE", CONNECT = "CONNECT" } 这里字段大家可自行拓展,我这里简单添加了几个常用字段,包括url、urlParams、header、extraData、大家也可以增加一些诸如UserAgent之类的网络配置。
创建HttpCore核心类
该类使我们这个网络库的主要核心代码实现,主要封装’@ohos.net.http的API调用,提供便捷使用的API。
import http from '@ohos.net.http'; import { RequestOptions } from './RequestOptions'; /** * Http请求器 */ export class HttpCore { /** * 发送请求 * @param requestOption * @returns Promise */ request
(requestOption: RequestOptions): Promise { return new Promise ((resolve, reject) => { this.sendRequest(requestOption) .then((response) => { if (typeof response.result !== 'string') { reject(new Error('Invalid data type')); } else { let bean: T = JSON.parse(response.result); if (bean) { resolve(bean); } else { reject(new Error('Invalid data type,JSON to T failed')); } } }) .catch((error) => { reject(error); }); }); } private sendRequest(requestOption: RequestOptions): Promise { // 每一个httpRequest对应一个HTTP请求任务,不可复用 let httpRequest = http.createHttp(); let resolveFunction, rejectFunction; const resultPromise = new Promise ((resolve, reject) => { resolveFunction = resolve; rejectFunction = reject; }); if (!this.isValidUrl(requestOption.url)) { return Promise.reject(new Error('url格式不合法.')); } let promise = httpRequest.request(this.appendQueryParams(requestOption.url, requestOption.queryParams), { method: requestOption.method, header: requestOption.header, extraData: requestOption.extraData, // 当使用POST请求时此字段用于传递内容 expectDataType: http.HttpDataType.STRING // 可选,指定返回数据的类型 }); promise.then((response) => { console.info('Result:' + response.result); console.info('code:' + response.responseCode); console.info('header:' + JSON.stringify(response.header)); if (http.ResponseCode.OK !== response.responseCode) { throw new Error('http responseCode !=200'); } resolveFunction(response); }).catch((err) => { rejectFunction(err); }).finally(() => { // 当该请求使用完毕时,调用destroy方法主动销毁。 httpRequest.destroy(); }) return resultPromise; } private appendQueryParams(url: string, queryParams: Record ): string { // todo 使用将参数拼接到url上 return url; } private isValidUrl(url: string): boolean { //todo 实现URL格式判断 return true; } } export const httpCore = new HttpCore(); 代码讲解:
- expectDataType: http.HttpDataType.STRING,这里固定了返回数据为string,大家也可以通过RequestOptions中定义字段传入,这里定义为string只是方便后续的string转Bean;
- 定义sendRequest方法。
- 对请求配置进行处理,这里进行对Url进行格式判断,如果非正确格式,需要对外抛出错误;需要进行Url参数拼接;可对请求参数、请求结果进行日志打印;对Http响应码进行判断,按200和非200请求码进行分类返回。
- 定义 request 进行请求结果转Bean的处理(这里默认返回数据为JSON 字符串,其他类型自行拓展),该方法也是对外的唯一函数。
创建HttpManager核心类
import { RequestOptions } from './RequestOptions'; import { httpCore as HttpCore } from './HttpCore'; /** *
* @desc : 对外管理器 *
*/ export class HttpManager { private static mInstance: HttpManager; // 防止实例化 private constructor() { } static getInstance(): HttpManager { if (!HttpManager.mInstance) { HttpManager.mInstance = new HttpManager(); } return HttpManager.mInstance; } request(option: RequestOptions): Promise { return HttpCore.request(option); } } HttpManager 为对外API调用入口类,提供单例对象跟发送请求API。
对外组件导出
在httpLibrary模块的根目录下有一个 index.ets文件,在该文件中进行需要对外导出的组件定义
export { HttpManager } from './src/main/ets/http/HttpManager'; export { RequestMethod } from './src/main/ets/http/RequestOptions';
到这里我们就完成了一个简易的网络库封装,我们可以将该module导出Har包对外提供,也可以直接在项目中使用该module。
添加网络权限
漏了一点,这里记得为该网络库添加上网络权限哦,在module.json5文件中
"requestPermissions": [ { "name": 'ohos.permission.INTERNET' } ]
http网络库依赖和使用
依赖http网络库(httpLibrary)
打开entry下的 oh-package.json5文件,增加如下依赖:
"dependencies": { '@ohos/http_library': 'file:../httpLibrary' }
使用http网络库(httpLibrary)
这里我们写一个例子,使用该网络库进行发送一个get请求
在entry下,任意页面中,进行请求调用。
handleClick() { HttpManager.getInstance() .request
({ method: RequestMethod.GET, url: 'https://jsonplaceholder.typicode.com/todos/1' //公开的API }) .then((result) => { console.info(JSON.stringify(result)); }) .catch((err) => { console.error(JSON.stringify(err)); }); } https://jsonplaceholder.typicode.com/todos/1 是一个公开的get请求API(如果侵权,请联系我删除,谢谢!)
这里我们定一个了一个TestBean,进行数据解析
/** *
* @desc : 测试Bean *
*/ export interface TestBean { /** * { "userId": 1, "id": 1, "title": "delectus aut autem", "completed": false } */ userId: number, id: number, title: string, completed: boolean }这样就完成了调用,接着我们将应用装机,点击获取数据按钮,可以在log面板看到如下输出:
文章到此结束,需要Demo的或者是有问题交流的,欢迎评论区留言。
猜你喜欢
- 6天前【Unity自制手册】unity常用API大全——一篇文章足以(万字详解)
- 6天前CSS的flex弹性布局
- 6天前魔百盒M401a刷机
- 6天前HarmonyOS应用配置文件module对象内部结构(FA模型)
- 6天前【开源项目】WPF 扩展组件 -- Com.Gitusme.Net.Extensiones.Wpf
- 6天前【使用opencv、python、dlib实现人脸关键点检测、眨眼检测和嘴巴开闭检测,可简单用于疲劳检测】
- 6天前uniapp uni.redirectTo() 跳转失效
- 6天前计算机设计大赛 深度学习 python opencv 火焰检测识别 火灾检测
- 6天前Rust - 变量
- 6天前一次Rust重写基础软件的实践(三)
网友评论
- 搜索
- 最新文章
- 热门文章