文章详情

短信预约-IT技能 免费直播动态提醒

请输入下面的图形验证码

提交验证

短信预约提醒成功

微信小程序前端怎么调用python后端的模型

2023-06-30 07:05

关注

这篇文章主要介绍“微信小程序前端怎么调用python后端的模型”的相关知识,小编通过实际案例向大家展示操作过程,操作方法简单快捷,实用性强,希望这篇“微信小程序前端怎么调用python后端的模型”文章能帮助大家解决问题。

需求:

小程序端拍照调用python训练好的图片分类模型。实现图片分类识别的功能。

微信小程序端:

重点在chooseImage函数中,根据图片路径获取到图片传递给flask的url;

Page({    data: {        SHOW_TOP: true,        canRecordStart: false,    },    data: {        tempFilePaths:'',        sourceType: ['camera', 'album']      },    isSpeaking: false,    accessToken: "",    onLoad: function (options) {                console.log("onLoad!");        this.setHeader();        var that=this        wx.showShareMenu({            withShareTicket: true //要求小程序返回分享目标信息        });        var isShowed = wx.getStorageSync("tip");        if (isShowed != 1) {            setTimeout(() => {                this.setData({                    SHOW_TOP: false                })                wx.setStorageSync("tip", 1)            }, 3 * 1000)        } else {            this.setData({                SHOW_TOP: false            })        };    },    },     //头像点击处理事件,使用wx.showActionSheet()调用菜单栏 buttonclick: function () {    const that = this    wx.showActionSheet({      itemList: ['拍照', '相册'],      itemColor: '',      //成功时回调      success: function (res) {        if (!res.cancel) {                    that.chooseImage(res.tapIndex)        }      },      setHeader(){    const tempFilePaths = wx.getStorageSync('tempFilePaths');    if (tempFilePaths) {      this.setData({        tempFilePaths: tempFilePaths      })    } else {      this.setData({        tempFilePaths: '/images/camera.png'      })    }  },  chooseImage(tapIndex) {    const checkeddata = true    const that = this    wx.chooseImage({    //count表示一次可以选择多少照片      count: 1,      //sizeType所选的图片的尺寸,original原图,compressed压缩图      sizeType: ['original', 'compressed'],      //如果sourceType为camera则调用摄像头,为album时调用相册      sourceType: [that.data.sourceType[tapIndex]],      success(res) {        // tempFilePath可以作为img标签的src属性显示图片        console.log(res);        const tempFilePaths = res.tempFilePaths        //将选择到的图片缓存到本地storage中        wx.setStorageSync('tempFilePaths', tempFilePaths)                that.setHeader();        // wx.showToast({        //   title: '设置成功',        //   icon: 'none',        // //   duration: 2000        // })        wx.showLoading({            title: '识别中...',        })                var team_image = wx.getFileSystemManager().readFileSync(res.tempFilePaths[0], "base64")        wx.request({          url: 'http://127.0.0.1:5000/upload', //API地址,upload是我给路由起的名字,参照下面的python代码                     method: "POST",          header: {                     'content-type': "application/x-www-form-urlencoded",                    },          data: {image: team_image},//将数据传给后端             success: function (res) {            console.log(res.data);  //控制台输出返回数据              wx.hideLoading()            wx.showModal({                title: '识别结果',                 confirmText: "识别正确",                cancelText:"识别错误",                content: res.data,                 success: function(res) {                 if (res.confirm) {                console.log('识别正确')                } else if (res.cancel) {                console.log('重新识别')                }                }                })               }        })      }    })  },});

flask端:

将图片裁剪,填充,调用自己训练保存最优的模型,用softmax处理结果矩阵,最后得到预测种类

# coding=utf-8from flask import Flask, render_template, request, jsonifyfrom werkzeug.utils import secure_filenamefrom datetime import timedeltafrom flask import Flask, render_template, requestimport torchvision.transforms as transformsfrom PIL import Imagefrom torchvision import modelsimport osimport torchimport jsonimport numpy as npimport torch.nn as nnimport matplotlib.pyplot as pltimport base64app = Flask(__name__)def softmax(x):    exp_x = np.exp(x)    softmax_x = exp_x / np.sum(exp_x, 0)    return softmax_xwith open('dir_label.txt', 'r', encoding='utf-8') as f:    labels = f.readlines()    print("oldlabels:",labels)    labels = list(map(lambda x: x.strip().split('\t'), labels))    print("newlabels:",labels)def padding_black(img):    w, h = img.size    scale = 224. / max(w, h)    img_fg = img.resize([int(x) for x in [w * scale, h * scale]])    size_fg = img_fg.size    size_bg = 224    img_bg = Image.new("RGB", (size_bg, size_bg))    img_bg.paste(img_fg, ((size_bg - size_fg[0]) // 2,                              (size_bg - size_fg[1]) // 2))    img = img_bg    return img# 输出@app.route('/')def hello_world():    return 'Hello World!'# 设置允许的文件格式ALLOWED_EXTENSIONS = set(['png', 'jpg', 'JPG', 'PNG', 'bmp'])def allowed_file(filename):    return '.' in filename and filename.rsplit('.', 1)[1] in ALLOWED_EXTENSIONS# 设置静态文件缓存过期时间app.send_file_max_age_default = timedelta(seconds=1)# 添加路由@app.route('/upload', methods=['POST', 'GET'])def upload():    if request.method == 'POST':        # 通过file标签获取文件        team_image = base64.b64decode(request.form.get("image"))  # 队base64进行解码还原。        with open("static/111111.jpg", "wb") as f:            f.write(team_image)        image = Image.open("static/111111.jpg")        # image = Image.open('laji.jpg')        image = image.convert('RGB')        image = padding_black(image)        transform1 = transforms.Compose([            transforms.Resize(224),            transforms.ToTensor(),        ])        image = transform1(image)        image = image.unsqueeze(0)        # image = torch.unsqueeze(image, dim=0).float()        print(image.shape)        model = models.resnet50(pretrained=False)        fc_inputs = model.fc.in_features        model.fc = nn.Linear(fc_inputs, 214)        # model = model.cuda()        # 加载训练好的模型        checkpoint = torch.load('model_best_checkpoint_resnet50.pth.tar')        model.load_state_dict(checkpoint['state_dict'])        model.eval()        src = image.numpy()        src = src.reshape(3, 224, 224)        src = np.transpose(src, (1, 2, 0))        # image = image.cuda()        # label = label.cuda()        pred = model(image)        pred = pred.data.cpu().numpy()[0]        score = softmax(pred)        pred_id = np.argmax(score)        plt.imshow(src)        print('预测结果:', labels[pred_id][0])        # return labels[pred_id][0];        return json.dumps(labels[pred_id][0], ensure_ascii=False)//将预测结果传回给前端        # plt.show()    #     return render_template('upload_ok.html')    #     重新返回上传界面    # return render_template('upload.html')if __name__ == '__main__':    app.run(debug=False)

大致的效果:

微信小程序前端怎么调用python后端的模型

微信小程序前端怎么调用python后端的模型

关于“微信小程序前端怎么调用python后端的模型”的内容就介绍到这里了,感谢大家的阅读。如果想了解更多行业相关的知识,可以关注编程网行业资讯频道,小编每天都会为大家更新不同的知识点。

阅读原文内容投诉

免责声明:

① 本站未注明“稿件来源”的信息均来自网络整理。其文字、图片和音视频稿件的所属权归原作者所有。本站收集整理出于非商业性的教育和科研之目的,并不意味着本站赞同其观点或证实其内容的真实性。仅作为临时的测试数据,供内部测试之用。本站并未授权任何人以任何方式主动获取本站任何信息。

② 本站未注明“稿件来源”的临时测试数据将在测试完成后最终做删除处理。有问题或投稿请发送至: 邮箱/279061341@qq.com QQ/279061341

软考中级精品资料免费领

  • 历年真题答案解析
  • 备考技巧名师总结
  • 高频考点精准押题
  • 2024年上半年信息系统项目管理师第二批次真题及答案解析(完整版)

    难度     813人已做
    查看
  • 【考后总结】2024年5月26日信息系统项目管理师第2批次考情分析

    难度     354人已做
    查看
  • 【考后总结】2024年5月25日信息系统项目管理师第1批次考情分析

    难度     318人已做
    查看
  • 2024年上半年软考高项第一、二批次真题考点汇总(完整版)

    难度     435人已做
    查看
  • 2024年上半年系统架构设计师考试综合知识真题

    难度     224人已做
    查看

相关文章

发现更多好内容

猜你喜欢

AI推送时光机
位置:首页-资讯-后端开发
咦!没有更多了?去看看其它编程学习网 内容吧
首页课程
资料下载
问答资讯