鸿蒙next之axios二次封装并携带cookie

打印 上一主题 下一主题

主题 981|帖子 981|积分 2943

 
由于官方提供的@ohos.net.http模块,直接利用不是很灵活,就引入了第三方@ohos/axios库。
以下是引入axios并进行二次封装的步骤:
1、DevEco Studio打开终端输入命令安装插件
   ohpm install @ohos/axios
   2、新建RequestUtil.ets
  1. import { JSON, url } from '@kit.ArkTS';
  2. import { emitter } from '@kit.BasicServicesKit';
  3. import { showToast } from '../../common/utils/ToastUtil';
  4. import { CommonType } from '../utils/TypeUtil';
  5. import { CaresPreference,CookieManager } from './common';
  6. import Constants, { ContentType } from '../../common/constants/Constants';
  7. import axios,{InternalAxiosRequestConfig, AxiosResponse,AxiosError,AxiosRequestConfig,AxiosInstance} from '@ohos/axios';
  8. // 发送订阅事件
  9. function sendEmitter(eventId: number, eventData: emitter.EventData) {
  10.   // 定义事件,事件优先级为HIGH
  11.   let event: emitter.InnerEvent = {
  12.     eventId:  eventId,
  13.     priority: emitter.EventPriority.HIGH
  14.   };
  15.   // 发送事件
  16.   emitter.emit(event, eventData);
  17. }
  18. export const BASE_URL = `${Constants.BASE_SERVER}`;
  19. // 处理40开头的错误
  20. export function errorHandler(error: CommonType) {
  21.   if (error instanceof AxiosError) {
  22.     switch (error.status) {
  23.     // 401: 未登录
  24.       case 401:
  25.         break;
  26.       case 403: //无权限未登录
  27.         // 弹出登录页
  28.         let eventData: emitter.EventData = {
  29.           data: {
  30.             isShow: true
  31.           }
  32.         };
  33.         sendEmitter(Constants.EVENT_LOGIN_PRESENT, eventData)
  34.         break;
  35.     // 404请求不存在
  36.       case 404:
  37.         showToast("网络请求不存在")
  38.         break;
  39.     // 其他错误,直接抛出错误提示
  40.       default:
  41.         showToast(error.message)
  42.     }
  43.   }
  44. }
  45. // 创建实例
  46. const service: AxiosInstance = axios.create({
  47.   baseURL: '',
  48.   timeout: Constants.HTTP_READ_TIMEOUT, //超时时间
  49.   withCredentials: true, // 跨域请求是否需要携带 cookie
  50.   headers: {  // `headers` 是即将被发送的自定义请求头
  51.     'Content-Type': 'application/json;charset=utf-8'
  52.   }
  53. })
  54. let caresPreference: CaresPreference = CaresPreference.getInstance();
  55. // 请求拦截器
  56. service.interceptors.request.use(async(config:InternalAxiosRequestConfig) => {
  57.   let Cookie: string = '';
  58.   const cookie = await caresPreference.getValueAsync<string>('APP_Cookies');
  59.   if(cookie){
  60.     Cookie = cookie;
  61.   }
  62.   // 由于存储的cookie是这样的‘SSOSESSION=OWEwMTBlOTktNjQ2Yy00NDQ1LTkyMTctZTc3NWY2Nzg5MGM2; Path=/; HttpOnly’
  63. // axios网络框架携带的cookie要这种SSOSESSION=OWEwMTBlOTktNjQ2Yy00NDQ1LTkyMTctZTc3NWY2Nzg5MGM2
  64. // 接口才能请求通过(在cookie设置这里卡了挺长时间,鸿蒙自带的http请求带上Path=/; HttpOnly是可以请求通过的,axios要去掉Path=/; HttpOnly)
  65.   config.headers['Cookie'] = String(Cookie).split(';')[0];
  66.   return config;
  67. }, (error:AxiosError) => {
  68.   console.info('全局请求拦截失败', error);
  69.   Promise.reject(error);
  70. });
  71. // 响应拦截器
  72. service.interceptors.response.use((res:AxiosResponse)=> {
  73.   console.info('响应拦截====',JSON.stringify(res))
  74.   const config:AxiosRequestConfig = res.config;
  75.   // 获取登录接口cookie,并进行存储
  76.   if(config?.url && config?.url.includes('login') && `${JSON.stringify(res.headers['set-cookie'])}`.includes('SSOSESSION')){
  77.     let urlObj = url.URL.parseURL(config?.baseURL);
  78.     let cookies:CommonType = res.headers['set-cookie'] as CommonType;
  79.     if(cookies){
  80.       CookieManager.saveCookie(urlObj.host, String(cookies))
  81.     }
  82.     let sss = CookieManager.getCookies()
  83.     console.info(urlObj.host + sss)
  84.     caresPreference.setValueAsync('APP_Cookies', res.headers['set-cookie']).then(() => {
  85.       console.info('存储cookie:' + res.headers['set-cookie']);
  86.     })
  87.     return Promise.resolve(res.data);
  88.   }
  89.   if(res.status === 200){
  90.     // 错误返回码
  91.     if ( ['40001','40002','40003'].includes(res.data.code)) {
  92.       showToast(res.data.message)
  93.     } else {
  94.       Promise.resolve(res.data);
  95.     }
  96.   }
  97.   return res.data;
  98. }, (error:AxiosError)=> {
  99.   console.info("AxiosError",JSON.stringify(error.response))
  100.   errorHandler(error.response as AxiosResponse)
  101.   return Promise.reject(error);
  102. });
  103. // 导出 axios 实例
  104. export default service;
复制代码
  1. Common.ets
复制代码
  1. export { CsPreference } from './CsPreference';
  2. export { CookieManager } from './CookieManager';
复制代码
  1. CsPreference.ets
  2. 本地信息存储
复制代码
  1. import { common } from '@kit.AbilityKit';
  2. import { preferences } from '@kit.ArkData';
  3. const PREFERENCES_NAME: string = 'CS_PREFERENCES';
  4. export class CSPreference {
  5.   private preferences: preferences.Preferences;
  6.   private context = getContext(this) as common.UIAbilityContext;
  7.   private static instance: CsPreference;
  8.   constructor() {
  9.     this.preferences = preferences.getPreferencesSync(this.context, { name: PREFERENCES_NAME })
  10.   }
  11.   public static getInstance(): CsPreference {
  12.     if (!CsPreference.instance) {
  13.       CsPreference.instance = new CsPreference();
  14.     }
  15.     return CsPreference.instance;
  16.   }
  17.   setValue(key: string, value: preferences.ValueType) {
  18.     if (value != undefined) {
  19.       this.preferences.putSync(key, value)
  20.       this.preferences.flush()
  21.     }
  22.   }
  23.   getValue(key: string): preferences.ValueType | undefined {
  24.     return this.preferences?.getSync(key, undefined)
  25.   }
  26.   hasValue(key: string): boolean {
  27.     return this.preferences.hasSync(key)
  28.   }
  29.   deleteValue(key: string) {
  30.     this.preferences.deleteSync(key)
  31.     this.preferences.flush()
  32.   }
  33.   async initPreference(storeName: string): Promise<void> {
  34.     return preferences.getPreferences(this.context, storeName)
  35.       .then((preferences: preferences.Preferences) => {
  36.         this.preferences = preferences;
  37.       });
  38.   }
  39.   async setValueAsync<T>(key: string, value: T): Promise<void> {
  40.     if (this.preferences) {
  41.       this.preferences.put(key, JSON.stringify(value)).then(() => {
  42.         this.saveUserData();
  43.       })
  44.     } else {
  45.       this.initPreference(PREFERENCES_NAME).then(() => {
  46.         this.setValueAsync<T>(key, value);
  47.       });
  48.     }
  49.   }
  50.   async getValueAsync<T>(key: string): Promise<T | null> {
  51.     if (this.preferences) {
  52.       return this.preferences.get(key, '').then((res: preferences.ValueType) => {
  53.         let value: T | null = null;
  54.         if (res) {
  55.           value = JSON.parse(res as string) as T;
  56.         }
  57.         return value;
  58.       });
  59.     } else {
  60.       return this.initPreference(PREFERENCES_NAME).then(() => {
  61.         return this.getValueAsync<T>(key);
  62.       });
  63.     }
  64.   }
  65.   async hasValueAsync(key: string): Promise<boolean> {
  66.     if (this.preferences) {
  67.       return this.preferences.has(key);
  68.     } else {
  69.       return this.initPreference(PREFERENCES_NAME).then(() => {
  70.         return this.hasValue(key);
  71.       });
  72.     }
  73.   }
  74.   async deleteValueAsync(key: string): Promise<void> {
  75.     if (this.preferences) {
  76.       this.preferences.delete(key).then(() => {
  77.         this.saveUserData();
  78.       });
  79.     } else {
  80.       this.initPreference(PREFERENCES_NAME).then(() => {
  81.         this.deleteValue(key);
  82.       });
  83.     }
  84.   }
  85.   saveUserData() {
  86.     this.preferences?.flush();
  87.   }
  88. }
复制代码
  1. CookieManager.ets
  2. cookie 全局同步
复制代码
  1. import { CsPreference } from './CsPreference'
  2. const GLOBAL_COOKIE: string = "cs_global_cookie"
  3. export class CookieManager {
  4.   static removeCookie(host: string) {
  5.     let arr = CsPreference.getInstance().getValue(GLOBAL_COOKIE) as Array<string>
  6.     if (arr) {
  7.       let filteredArray = arr.filter((item)=>{
  8.         JSON.parse(item).host != host
  9.       })
  10.       CsPreference.getInstance().setValue(GLOBAL_COOKIE, filteredArray)
  11.     }
  12.   }
  13.   static saveCookie(host: string, cookie: string) {
  14.     CookieManager.removeCookie(host)
  15.     let obj: Record<string, Object> = {};
  16.     obj["host"] = host;
  17.     obj["cookie"] = cookie;
  18.     let arr = CsPreference.getInstance().getValue(GLOBAL_COOKIE) as Array<string>
  19.     if (arr == undefined) {
  20.       arr = new Array<string>()
  21.     }
  22.     arr.push(JSON.stringify(obj))
  23.     CsPreference.getInstance().setValue(GLOBAL_COOKIE, arr)
  24.   }
  25.   static getCookies(): Array<string>{
  26.    return CsPreference.getInstance().getValue(GLOBAL_COOKIE) as Array<string>
  27.   }
  28. }
复制代码


免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

滴水恩情

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表