当前位置:   article > 正文

uniapp,前后端实名人脸认证全过程_uniapp人脸登录

uniapp人脸登录

全局工程化导入注册公共组件

iconfont使用

自定义导航

slot插槽

uni.request请求封装

一:登录页面

1.1.template:

  1. <template>
  2. <view class="body" :style="{height:height+'px'}">
  3. <view class="header" :style="{height:statusBarHeight+'px'}">
  4. </view>
  5. <!-- <navigation>
  6. <template v-slot:navigation1>
  7. 取消注册,返回首页
  8. </template>
  9. </navigation> -->
  10. <view class="imgView">
  11. <img src="static/logo.png" alt="" />
  12. </view>
  13. <view class="formView">
  14. <view class="nameView">
  15. <input v-model="form.username" placeholder-style="color:#fff" class="uni-input" placeholder="请输入平台账号" />
  16. </view>
  17. <view class="pwdView">
  18. <input v-model="form.userpwd" placeholder-style="color:#fff" class="uni-input" password placeholder="请输入你的密码" />
  19. </view>
  20. <view class="btnView">
  21. <button type="default" @click="btnLoginUser">登录</button>
  22. </view>
  23. <view class="textView">
  24. <view class="face">
  25. 输入太麻烦,那就人脸识别登录
  26. </view>
  27. <view class="sign">
  28. 没有账号?立即注册新账号1
  29. </view>
  30. </view>
  31. </view>
  32. </view>
  33. </template>

这里有两个注意的地方,一个是公共组件,一个是icon图标

1.2.公共组件问题:

全局自动注册加载组件

创建component文件夹

在这里创建自己的公共组件,然后创建一个index.js

在index.js中,通过require.context()工程化引入组件

  1. // require.context有三个参数,第一个是路径指向 第二个是boolean数据类型,代表是否向下检索 第三个参数是设置检索什么文件
  2. // 得到的这个element相当于是一个对象类型的数据
  3. const element = require.context('./', false, /\.vue$/)
  4. export default {
  5. // install是vue供我们开发其他插件、注册全局组件的方法
  6. // 有两个参数,一个是vue的构造器 一个是option
  7. install(Vue) {
  8. // element.keys获取到基于require.context()检索的符合条件的组件文件对应的属性名
  9. element.keys().forEach(item => {
  10. // 给组件设置组件名
  11. // 前面有讲到过element的值类似对象数据,那么在经过keys()和循环后,item已经是代表着每个文件的属性名
  12. // 属性名的值: ./aa/aa.vue
  13. // 现在截取数据获取到aa文件名
  14. // item.split('/') 得到 ['.','aa','aa.vue']
  15. // item.split.('/').pop() 得到 'aa.vue'
  16. // item.split('/').pop().replace(/\.\w+$/, '') 得到 aa
  17. // 正则表达式解读 \是转义符 意在告诉这里列出的这些元字符当作普通的字符来进行匹配,因为前面pop之后得到了aa.vue,这个就是文件后缀名的.,而不是正则里面的.
  18. // \w+ 意思是匹配数字和字母下划线的多个字符
  19. const componentName = item.split('/').pop().replace(/\.\w+$/, '');
  20. // 在这遍历过程中,每一次通过属性名指向com中的每一个属性值,然后给到Vue.conponent
  21. const elementItem = element(item).default
  22. Vue.component(elementItem.name, elementItem)
  23. })
  24. }
  25. }

把index.js文件引入到main.js文件,挂载到vue上去

  1. import components from '@/components/index.js'
  2. //Vue.use()主要是调用插件内部的install方法,并将Vue实例作为参数传入
  3. Vue.use(components)

 现在可以在页面中使用了

  1. <template>
  2. <component :is="navigation"></component>
  3. </template>

我是小白,用到哪,学到哪,要是有知道其他组件注册的方法和正则应用的大哥,麻烦留言告知一下,谢谢

1.3uniapp中iconfont的使用

1.正常选中自己需要的文件保存到项目然后下载下来,把文件里的iconfont.css复制到项目中

2.在下载的时候选择unicode,可能会提示更新之类的,然后复制代码,替换文件中的原本的内容

3.在替换完原本的内容后,在替换的内容中,有at开头的地址指向,在at前面加上'https://',不然在调试的时候,手机模拟器无法显示

4.icon使用(伪类选择器before)

5.现在我的icon假如要在class为navgation的view中显示

  1. .identity input::before {
  2. content:'\e608';
  3. font-family: iconfont;
  4. padding: 0 20upx;
  5. line-height: 60upx;
  6. color:#fff;
  7. }

 1.4自定义导航栏

1.先去除原本的导航栏

pages.json:

  1. // 在pages.json中找到globalStyle,设置navigationStyle为custom,但是这样的话每个页面都没了原本的导航栏
  2. "globalStyle": {
  3. "navigationBarTextStyle": "black",
  4. "navigationBarTitleText": "uni-app",
  5. "navigationBarBackgroundColor": "#F8F8F8",
  6. "backgroundColor": "#F8F8F8"
  7. // "navigationStyle": "custom"
  8. },
  9. // 如果只想某些单独的页面使用自定义导航栏,就在pages.json中找到那个页面的设置
  10. {
  11. "path": "pages/login/login",
  12. "style": {
  13. "navigationBarTitleText": "",
  14. "navigationStyle": "custom"
  15. }
  16. },

 到这里,再加上之前全局自动注册的组件,引入对象的组件就行了

1.5slot插槽

  1. // 默认插槽(也叫匿名插槽)
  2. // 公共组件
  3. <template>
  4. <view class="navigation">
  5. <view class="navigation1 components">
  6. 组件本身的内容
  7. // slot里不设置name值就是默认插槽
  8. <slot>插槽内容</slot>
  9. </view>
  10. </view>
  11. </template>
  12. // 父组件
  13. <template>
  14. <view class="feather">
  15. <view class="featherView">
  16. 父组件特意设置的内容字体
  17. <navgation>
  18. 修改默认插槽的内容
  19. </navgation>
  20. </view>
  21. </view>
  22. </template>
  23. // 这个时候修改默认插槽内容的字体和公共组件中的插槽内容字体就会显示(但是,假如公共组件中没有插槽内容,在navgation中设置的字体就会无效,不会显示,影响不到公共组件)
  24. // 具名插槽
  25. // 公共组件
  26. <template>
  27. <view class="navigation">
  28. <view class="navigation1 components">
  29. 组件本身的内容
  30. <slot>默认插槽的内容</slot>
  31. <slot name="header">具名插槽header的内容</slot>
  32. <slot name="footer">具名插槽footer的内容</slot>
  33. </view>
  34. </view>
  35. </template>
  36. // 父组件
  37. <template>
  38. <view class="feather">
  39. <view class="featherView">
  40. 父组件特意设置的内容字体
  41. <navgation>
  42. 修改默认插槽的内容
  43. <view slot="default">修改具名插槽default的内容</view>
  44. <view slot="header">修改具名插槽header的内容</view>
  45. <view slot="footer">修改具名插槽footer的内容</view>
  46. 其他字体1
  47. 其他字体2
  48. </navgation>
  49. </view>
  50. </view>
  51. </template>
  52. // 这个时候修改默认 插槽的内容字体 和 修改具名插槽header的内容字体 和 修改具名插槽footer的内容字体就会显示,而其他字体1 和 其他字体2 不会显示
  53. // 具名插槽传值
  54. // 公共组件
  55. <template>
  56. <view class="navigation">
  57. <view class="navigation1 components">
  58. 组件本身的内容
  59. <slot>默认插槽的内容</slot>
  60. <slot name="header" :userdata="user">具名插槽header的内容</slot>
  61. <slot name="footer">具名插槽footer的内容</slot>
  62. </view>
  63. </view>
  64. </template>
  65. <script>
  66. export default = {
  67. data(){
  68. user:{
  69. name:'aa'
  70. }
  71. }
  72. }
  73. </script>
  74. // 父组件
  75. <template>
  76. <view class="feather">
  77. <view class="featherView">
  78. 父组件特意设置的内容字体
  79. <navgation>
  80. 修改默认插槽的内容
  81. // 这个users名是自定义的
  82. <template v-slot:header="users">
  83. {{users.name}}
  84. 修改具名插槽default的内容
  85. </template>
  86. <template v-slot:default="default">修改具名插槽default的内容</template >
  87. <template v-slot:footer="footer">修改具名插槽footer的内容</template >
  88. 其他字体1
  89. 其他字体2
  90. </navgation>
  91. </view>
  92. </view>
  93. </template>

1.6.script

  1. <script>
  2. import navigation from '../../components/navigation.vue'
  3. import {request} from '@/utils/request.js'
  4. import loginVue from './login.vue';
  5. export default {
  6. data() {
  7. return {
  8. statusBarHeight :48,
  9. height:0,
  10. navigation:'navigation',
  11. form:{
  12. username:'',
  13. userpwd:''
  14. },
  15. location:""
  16. }
  17. },
  18. components:{
  19. navigation
  20. },
  21. onShow() {
  22. uni.getLocation({
  23. type:"gcj02",
  24. geocode:true,
  25. highAccuracyExpireTime:4000,
  26. accuracy:"high",
  27. isHighAccuracy:true,
  28. success:(res) => {
  29. console.log('getLocation',res);
  30. // this.location = {
  31. // latitude: res.latitude,
  32. // longitude: res.longitude,
  33. // country: res.address.country,
  34. // province: res.address.province,
  35. // city: res.address.city,
  36. // district: res.address.district,
  37. // street: res.address.street,
  38. // streetNum: res.address.streetNum,
  39. // poiName: res.address.poiName
  40. // }
  41. res.keys().forEach(val => {
  42. this.location.val = res.val
  43. })
  44. console.log('location',this.location);
  45. },
  46. fail:(err) => {
  47. console.log(err);
  48. }
  49. })
  50. },
  51. methods: {
  52. async btnLoginUser(){
  53. let obj = Object.assign({},this.form)
  54. const get = await request({url:`/login/get/accnum/${obj.username}/${obj.userpwd}`,method:'post',data:this.location})
  55. console.log('get',get);
  56. if(get.status == 200) {
  57. uni.setStorageSync('USER_TOKEN',get.token)
  58. uni.showToast({
  59. title:"账号检测成功,登录中..",
  60. duration: 2000,
  61. })
  62. } else {
  63. uni.showModal({
  64. content:"账号无效,是否前往注册?",
  65. success:(res) => {
  66. if(res.confirm) {
  67. uni.navigateTo({
  68. url:"/pages/identity/identity"
  69. })
  70. } else if(res.cancel) {}
  71. }
  72. })
  73. }
  74. },
  75. },
  76. async created() {
  77. const res = uni.getSystemInfo({
  78. success:(res=>{
  79. this.height = res.windowHeight
  80. if(res.osName == 'android') {
  81. this.statusBarHeight = res.statusBarHeight || 48
  82. } else {
  83. this.statusBarHeight = res.statusBarHeight || 44
  84. }
  85. console.log('res',res);
  86. })
  87. });
  88. }
  89. }
  90. </script>

这里就没啥好说的了,就是正常将用户输入的用户名账号和密码传给后端,后端去处理,正常的发起请求,等待后端返回结果

1.7nodejs,处理前端传来的用户提交的账号信息,调数据库数据判断是否存在

  1. router.post('/get/accnum/:username/:userpwd',(req,res) => {
  2. try {
  3. let body = req.body
  4. let params = req.params
  5. let status;
  6. let token;
  7. const login = orm.model('login')
  8. login.sql(`select * from login where username="${params.username}" and userpwd="${params.userpwd}"`,(err,data) => {
  9. if(err) {
  10. console.log('login-get',err);
  11. return res.status(500)
  12. }
  13. let datas = ''
  14. if(data[0]) {
  15. datas = data[0]
  16. console.log('datas',datas);
  17. status = 200
  18. // jwt.sign 生成token,第一个参数是数据 第二个参数是签名,这个随便你去定义 第三个参数是设置token过期时间
  19. token = jwt.sign(JSON.parse(JSON.stringify(datas)),config.SERECRT,{expiresIn:60 * 60 * 24})
  20. login.update(`id=${datas.id}`,body,(err,das) => {
  21. if(err) {
  22. console.log('login-accnum-location-update',err);
  23. return res.status(500)
  24. }
  25. console.log('login-accnum-location-update-data',das);
  26. })
  27. } else {
  28. datas = {}
  29. status = 202
  30. }
  31. res.send({code:200,msg:'账号检测成功!',data:datas,status,token})
  32. })
  33. } catch(err) {
  34. return res.status(500)
  35. }
  36. })

二:注册页面--身份认证

这个先要去那些平台认证成企业用户,才能调用相对应的接口,我的百度云的姓名与身份证认证接口,不查身份证有效期,那个要钱,妈的。

2.1.uniapp中:

  1. <template>
  2. <view class="identityView" :style="{height:height+'px'}">
  3. <!-- <view class="" style="margin-top: 400upx;">
  4. </view> -->
  5. <view class="identity">
  6. <input v-model="user.identity" class="uni-input" placeholder-style="color:#fff;" maxlength="18" type="number" placeholder="请输入身份证号" />
  7. </view>
  8. <view class="name">
  9. <input v-model="user.name" class="uni-input" placeholder-style="color:#fff;" type="text" placeholder="请输入真实姓名" />
  10. </view>
  11. <view class="btn">
  12. <button type="default" @click="btnBaidu">下一步</button>
  13. </view>
  14. <view class="">
  15. {{res}}
  16. </view>
  17. </view>
  18. </template>
  19. <script>
  20. import { request } from '@/utils/request.js'
  21. import { baiduyun } from '@/utils/baiduyun.js'
  22. export default {
  23. data() {
  24. return {
  25. height:0,
  26. user:{
  27. identity:'',
  28. name:''
  29. },
  30. res:{},
  31. access_token:''
  32. }
  33. },
  34. methods: {
  35. // 点击下一步
  36. // 这里我没有在前端发起百度云的请求,把接口要求的参数传到nodejs,再发请求
  37. async btnBaidu(){
  38. console.log('点击了');
  39. const identity = await request({url:`/login/baidu/token/${this.user.identity}/${this.user.name}`,method:'POST'})
  40. console.log('identity',identity);
  41. this.res = identity
  42. uni.showToast({
  43. title:identity.msg,
  44. duration:2000,
  45. icon:'none'
  46. })
  47. if(identity.msg == '身份认证通过') {
  48. uni.showToast({
  49. title:'下一步:人脸认证',
  50. duration:1000,
  51. })
  52. let user = Object.assign({},this.user)
  53. // btoa()返回一个 base-64 编码的字符串
  54. // encodeURIComponent返回原字串作为 URI 组成部分被被编码后的新字符串
  55. const str = btoa(encodeURIComponent(JSON.stringify(user)))
  56. uni.navigateTo({
  57. url:`/pages/plusVideo/plusVideo?str=${str}`
  58. })
  59. }
  60. },
  61. },
  62. created(){
  63. this.height = uni.getSystemInfoSync().windowHeight
  64. },
  65. }
  66. </script>

2.2.nodejs中:

  1. // 调用百度云接口时,要求先调接口获取access_token才能调用其他的接口,懒得去保存access_token数据,把获取access_token的请求写到了方法里,然后在请求中引入,每次发请求获取access_token
  2. const config = require('../config/index')
  3. const axios = require('axios')
  4. exports.identityFun = async () => {
  5. let grant_type = config.baiduToken.grant_type
  6. let client_id = config.baiduToken.client_id
  7. let client_secret = config.baiduToken.client_secret
  8. const identity = await axios({
  9. url:`https://aip.baidubce.com/oauth/2.0/token?grant_type=${grant_type}&client_id=${client_id}&client_secret=${client_secret}`,
  10. method:'POST',
  11. header:{ 'Content-Type': 'application/json', }
  12. })
  13. return identity
  14. }
  15. // 获取百度云token 鉴别身份信息
  16. router.post('/baidu/token/:identity/:name',async (req,res) => {
  17. try {
  18. let params = req.params
  19. const baiduToken = config.baiduToken
  20. const token = await identity_face.identityFun()
  21. let msg;
  22. let status;
  23. if(token.status == 200) {
  24. let access_token = token.data.access_token
  25. const identity = await axios({
  26. url:`https://aip.baidubce.com/rest/2.0/face/v3/person/idmatch?access_token=${access_token}`,
  27. method:'POST',
  28. header:{ 'Content-Type': 'application/json' },
  29. data:{
  30. id_card_number: params.identity,
  31. name: params.name
  32. }
  33. })
  34. if(identity.data.error_code == 0) {
  35. msg = '身份认证通过'
  36. status = 200
  37. } else {
  38. msg = '请输入正确的身份信息'
  39. status = 202
  40. }
  41. res.send({code:200, msg,status})
  42. } else {
  43. return res.status(500)
  44. }
  45. } catch(err) {
  46. console.log('baidu-post-token',err);
  47. res.status(500)
  48. }
  49. })

为了更好知道那里的代码出错了,可以下载个morgan包,这样报错也能知道错哪了

nodejs项目我是用的vscode,可以下载个code runer插件,右键app.js快速运行文件

三:uniapp,人脸数据采集

3.1.uniapp中:

  1. <template>
  2. <view class="body" :style="{height:height+'px'}">
  3. <img :src="src" ref="img" class="img-data" />
  4. <view class="">
  5. imgData:{{imgData}}
  6. </view>
  7. <view class="">
  8. tag:{{tag}}
  9. </view>
  10. <view class="">
  11. src:{{src}}
  12. </view>
  13. </view>
  14. </template>
  15. <script>
  16. import { request } from '../../utils/request';
  17. export default {
  18. data() {
  19. return {
  20. imgData: '',
  21. pusher: null,
  22. scanWin: null,
  23. snapshotTimeoutNumber: 3000,
  24. faceInitTimeout: null,
  25. snapshTimeout: null,
  26. user:{},
  27. face:{},
  28. tag:'',
  29. src:''
  30. };
  31. },
  32. created() {
  33. uni.getSystemInfo({
  34. success: (res) => {
  35. // this.height = res.windowHeight
  36. this.height= 200
  37. }
  38. })
  39. },
  40. onLoad(option) {
  41. uni.showToast({
  42. title: "正在打开摄像头,请稍后",
  43. icon: "none"
  44. })
  45. //#ifdef APP-PLUS
  46. this.faceInit();
  47. //#endif
  48. let user = option.str
  49. user = JSON.parse(decodeURIComponent(atob(user)))
  50. this.user = user
  51. },
  52. onHide() {
  53. this.faceInitTimeout && clearTimeout(this.faceInitTimeout);
  54. this.snapshTimeout && clearTimeout(this.snapshTimeout);
  55. this.scanWin.hide();
  56. },
  57. methods: {
  58. // (1)通过plus.video.createLivePusher创建直播推流
  59. pusherInit() {
  60. //获取当前窗口对象
  61. const currentWebview = this.$mp.page.$getAppWebview();
  62. //创建视频推流对象,url是视频上传到的服务器地址,不填表示不传视频
  63. this.pusher = plus.video.createLivePusher('livepusher', {
  64. url: '',
  65. top: '29%',
  66. mode:'FHD',
  67. beauty:1,
  68. whiteness:3,
  69. left: '30%',
  70. width: '170px',
  71. height: '172px',
  72. position: 'absolute',
  73. aspect: '9:16',
  74. 'z-index':777
  75. });
  76. // 将推流对象append到当前页面中
  77. currentWebview.append(this.pusher);
  78. // 预览摄像头采集数据
  79. this.pusher.preview();
  80. },
  81. faceInit() {
  82. this.faceInitTimeout = setTimeout(() => {
  83. this.pusherInit();
  84. // 覆盖在视频之上的内容,-比如扫描框
  85. // 扫描框的页面优先与当前页面,会始终覆盖
  86. 覆盖的扫描框html页面名就叫hybrids,不然好像会报错,不知道是不是我没有及时关闭项目再启动的原因,刷新没用,当文件名是其他的时候,这个扫描框就会不显示,有知道原因的大哥麻烦告诉一下谢谢
  87.   // 然后如果想在覆盖的扫描框页面实现圆形视频流窗口就用css去实现吧,通过plus的属性和方法行不通,可能是我没找到方法的原因,有知道麻烦告诉一下,谢谢
  88. // (2)利用plus.webview.create将扫描框页面及扫描动画(hybrids.html)覆盖在视频之上;
  89. this.scanWin = plus.webview.create('/hybrid/html/scan.html', '', {borderRaduis: '50%',top:'160px',bottom:'0px',background: 'transparent', replacewebapi:{geolocation:'auto'}});
  90. // 显示视频播放控件
  91. this.scanWin.show();
  92. this.snapshotPusher();
  93. uni.hideToast();
  94. }, 200);
  95. },
  96. // (3)利用liverPusher对象的snapshot方法创建视频快照
  97. snapshotPusher() {
  98. // 切换摄像头
  99. this.pusher.switchCamera();
  100. this.snapshTimeout = setTimeout(() => {
  101. this.pusher.snapshot(
  102. e => {
  103. // 关闭直播推流控件
  104. this.pusher.close();
  105. // 隐藏视频播放控件
  106. this.scanWin.hide();
  107. var src = e.tempImagePath;
  108. // 获取截取的视频流图片地址
  109. this.src = e.tempImagePath
  110. console.log('this.src',this.src);
  111. this.identityFun()
  112. // 使用plus.zip.compressImage压缩图片
  113. // this.getMinImage(src);
  114. },
  115. function(e) {
  116. plus.nativeUI.alert('snapshot error: ' + JSON.stringify(e));
  117. }
  118. );
  119. }, this.snapshotTimeoutNumber);
  120. },
  121. // (4)使用plus.zip.compressImage压缩图片
  122. // getMinImage(imgPath) {
  123. // plus.zip.compressImage({
  124. // src: imgPath,
  125. // dst: imgPath,
  126. // overwrite: true,
  127. // quality: 40
  128. // },
  129. // zipRes => {
  130. // console.log('zipRes',zipRes);
  131. // setTimeout(() => {
  132. // // IO模块管理本地文件系统,用于对文件系统的目录浏览、文件的读取、文件的写入等操作。通过plus.io可获取文件系统管理对象
  133. // // 文件系统中的读取文件对象,用于获取文件的内容
  134. // var reader = new plus.io.FileReader();
  135. // // 文件读取操作完成时的回调函数
  136. // reader.onloadend = res => {
  137. // console.log('res',res);
  138. // this.tag = res.target
  139. // console.log('tag',this.tag);
  140. // var speech = res.target.result; //base64图片
  141. // this.imgData = speech;
  142. // };
  143. // //一定要使用plus.io.convertLocalFileSystemURL将target地址转换为本地文件地址,否则readAsDataURL会找不到文件
  144. // reader.readAsDataURL(plus.io.convertLocalFileSystemURL(zipRes.target));
  145. // }, 1000);
  146. // },
  147. // function(error) {
  148. // console.log('Compress error!', error);
  149. // }
  150. // );
  151. // },
  152. // 通过直播推流获取到的人脸数据,调用百度云api,判断是否本人
  153. async identityFun(){
  154. console.log('0000000');
  155. let user = Object.assign({},this.user)
  156. const str = btoa(encodeURIComponent(JSON.stringify(user)))
  157. console.log('11111');
  158. // name值设置好,nodejs中接收处理图片需要用到
  159. // 上传图片这里,本来想用FormData,但是在uniapp中不行,大哥们,有没有知道其他方式的,麻烦告诉一下
  160. uni.uploadFile({
  161. url:'http://192.168.55.49:3000/api/login/identity/face',
  162. filePath:this.src,
  163. name:'faceImg',
  164. formData:{str},
  165. success: (uploadFileRes) => {
  166. console.log('uploadFileRes',uploadFileRes);
  167. this.face = uploadFileRes
  168. },
  169. fail:(err) => {
  170. console.log('err',err);
  171. }
  172. })
  173. console.log('22222');
  174. }
  175. },
  176. };
  177. </script>

3.2.nodejs中:

  1. // 前端传来了图片,nodejs接收图片,需要下载nulter包来处理接收
  2. const multer = require('multer')
  3. let date = new Date()
  4. // 实名认证接口要求的其中一个参数就是图片,我选择了base64格式数据的图片数据,需要导入fs和path模块来读取文件和路径问题
  5. const fs = require('fs')
  6. const path = require('path')
  7. let time = date.getTime()
  8. let originalname;
  9. let urlStr;
  10. let obj;
  11. let arr = [];
  12. let faceUrl = ''
  13. // 这里是multer包给出的方法,详细去搜文档看看,我也忘了
  14. let storage = multer.diskStorage({
  15. // 在这里确定图片保存到哪个文件夹
  16. destination: function(req, file, cb) {
  17. // console.log('req',req.body);
  18. cb(null, 'faceUpload');
  19. },
  20. // 在这里处理其他想处理的问题,我在这处理的是文件名修改
  21. filename: function(req, file, cb) {
  22. // let user = JSON.parse(decodeURIComponent(atob(req.body.str)))
  23. // Buffer.from创建一个用指定字符串、数组或缓冲区填充的新缓冲区 file.originalname
  24. urlStr = time + '-' + req.body.str + '.jpg'
  25. originalname = Buffer.from(urlStr, "latin1").toString("utf8"); // 解决接收文件的文件名中文乱码问题
  26. // 设置这个地址是因为在app.js已经做了静态资源托管,'http://localhost:3000/upload/'这个地址再加上文件名,前端就可以进行访问了
  27. faceUrl = 'http://localhost:3000/upload/' + originalname
  28. obj = {
  29. faceUrl,
  30. }
  31. arr.push(obj)
  32. cb(null, originalname)
  33. }
  34. })
  35. // 记得diskStorage用完后,放到multer里面来
  36. let upload = multer({ storage: storage });

处理完接收图片的操作后,处理请求

  1. // array处理前端上传多张图片 single处理前端上传单张图片
  2. router.post('/identity/face',upload.single('faceImg'),async(req,res) => {
  3. try {
  4. console.log('---------------------body---------------------',req.body);
  5. console.log('---------------------file---------------------',req.file);
  6. let user = req.body.str
  7. let file = req.file
  8. fs.readFile(path.join(__dirname,`../faceUpload/${urlStr}`),async (err,data) => {
  9. if(err) {
  10. return console.log('login-identity-readfile-err',err);
  11. }
  12. console.log('read-file-data',data);
  13. user = JSON.parse(decodeURIComponent(atob(req.body.str)))
  14. // 下面这两个都是百度云接口要求参数,详细看百度云接口文档
  15. user.image_type = 'BASE64'
  16. user.image = data
  17. console.log('user,',user);
  18. let token = await identity_face.identityFun()
  19. const identity = await axios({
  20. url:`https://aip.baidubce.com/rest/2.0/face/v3/person/verify?access_token=${token.data.access_token}`,
  21. method:'POST',
  22. header:{'Content-Type': 'application/json' },
  23. data:user
  24. })
  25. console.log('identity--face',identity);
  26. })
  27. } catch(err) {
  28. console.log('identity-catch',err);
  29. return res.status(500)
  30. }
  31. })

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/Gausst松鼠会/article/detail/294318
推荐阅读
相关标签
  

闽ICP备14008679号