• 【微信小程序】发布投票与用户投票完整讲解


    目录

    前言

           组件功能示例

    一、数据库

    二、后端接口定义

    三、前端准备

    3.1 定义连接接口

    3.2 Vant Weapp UI 组件库

    3.3 授权登录与相关工具

    四、小程序编写

    4.1 投票组件

    WXML

    WXSS

    JSON

    WXJS

    效果展示讲解:

    4.2  发布投票组件

    WXML

    WXSS

    JSON

    WXJS

    效果展示讲解:


    前言

            本次主要讲解的是在会议系统中完整投票功能,首先建立思维流程:

    1. 先必须要有会议数据,而会议要由发布、审核、待开等,到开启会议后才能进行发布投票功能。
    2. 发布的投票必须要用户进行登录才可投票
    3. 而用户能够查询所有投票以及已投票或结束的投票

    总结非常简单,如果要我们去实现,这时候就有许多问题:

    • 需要编写复杂的sql和查询
    • 需要多样化的组件并实现数据交互
    • 需要分析流程与执行顺序

            如果这些都需要自己独立完成,很多东西还要自己去研究测试,不仅要走许多弯路还得花很多时间和心思。嗯...我就是这样过来的,这篇也是爆肝凌晨几点完成的。话不多说,现在就开始进入正题。

    组件功能示例

    一、数据库

    投票功能是建立在会议和用户之上的,所以先介绍一下这两个表:

    t_oa_meeting_info:

    wx.user: 

    主要关注会议状态(state字段)

     

    1、存储发布的投票表:

    2. 用户投票信息表:

    sql预览:

    1. #查询进行中的投票
    2. select * from t_oa_meeting_option where meetingId = (select id from t_oa_meeting_info where state = 5)
    3. #查询结束会议的投票
    4. select * from t_oa_meeting_option where meetingId = (select id from t_oa_meeting_info where state = 6)
    5. #查询票数
    6. select count(*) from t_oa_meeting_vote where optionId = 2
    7. #查询已投的的票
    8. select * from t_oa_meeting_option where id = (select optionId from t_oa_meeting_vote where personId = 5)

     

    二、后端接口定义

    方法功能:注释 

    WxInfoController :会议数据

    1. package com.ycxw.ssm.wxcontroller;
    2. import com.ycxw.ssm.mapper.InfoMapper;
    3. import com.ycxw.ssm.model.Info;
    4. import com.ycxw.ssm.util.ResponseUtil;
    5. import org.springframework.beans.factory.annotation.Autowired;
    6. import org.springframework.web.bind.annotation.RequestMapping;
    7. import org.springframework.web.bind.annotation.RestController;
    8. import java.util.HashMap;
    9. import java.util.List;
    10. import java.util.Map;
    11. /**
    12. * @author 云村小威
    13. * @create 2023-10-26 22:28
    14. */
    15. @RestController
    16. @RequestMapping("/wx/info")
    17. public class WxInfoController {
    18. @Autowired
    19. private InfoMapper infoMapper;
    20. @RequestMapping("/list")
    21. public Object list (Info info){
    22. List list = infoMapper.list(info);
    23. Map data = new HashMap();
    24. data.put("infoList",list);
    25. return ResponseUtil.ok(data);
    26. }
    27. //查询所有进行中的会议
    28. @RequestMapping("/listState")
    29. public Object listState (Info info){
    30. info.setState(4);
    31. List list = infoMapper.list(info);
    32. Map data = new HashMap();
    33. data.put("listState",list);
    34. return ResponseUtil.ok(data);
    35. }
    36. //修改会议状态
    37. @RequestMapping("/state")
    38. public Object updateState (Info info){
    39. infoMapper.updateByPrimaryKeySelective(info);
    40. return ResponseUtil.ok();
    41. }
    42. }

     

    WXOptionController:投票数据

    1. package com.ycxw.ssm.wxcontroller;
    2. import com.ycxw.ssm.mapper.OptionMapper;
    3. import com.ycxw.ssm.model.Option;
    4. import com.ycxw.ssm.util.ResponseUtil;
    5. import org.springframework.beans.factory.annotation.Autowired;
    6. import org.springframework.web.bind.annotation.RequestMapping;
    7. import org.springframework.web.bind.annotation.RestController;
    8. import java.util.HashMap;
    9. import java.util.List;
    10. import java.util.Map;
    11. /**
    12. * @author 云村小威
    13. * @create 2023-10-26 22:28
    14. */
    15. @RestController
    16. @RequestMapping("/wx/option")
    17. public class WXOptionController {
    18. @Autowired
    19. private OptionMapper optionMapper; //正在投票信息
    20. //查询所有投票
    21. @RequestMapping("/list")
    22. public Object list() {
    23. List
    24. Map data = new HashMap();
    25. data.put("voteList", list);
    26. return ResponseUtil.ok(data);
    27. }
    28. /*发布投票*/
    29. @RequestMapping("/add")
    30. public Object save(Option option) {
    31. //发起投票
    32. optionMapper.insertSelective(option);
    33. return ResponseUtil.ok();
    34. }
    35. //查询所有结束的投票
    36. @RequestMapping("/over")
    37. public Object selectOverVote() {
    38. List
    39. Map data = new HashMap();
    40. data.put("overList", list);
    41. return ResponseUtil.ok(data);
    42. }
    43. //查询所有已投票的信息
    44. @RequestMapping("/already")
    45. public Object selectByAlready(Long personId) {
    46. List
    47. Map data = new HashMap();
    48. data.put("alreadyList", list);
    49. return ResponseUtil.ok(data);
    50. }
    51. //模糊查询投票信息
    52. @RequestMapping("/search")
    53. public Object SearchVote(Option option) {
    54. List
    55. Map data = new HashMap();
    56. data.put("searchList", list);
    57. return ResponseUtil.ok(data);
    58. }
    59. }

    WXVoteController:用户投票数据

    1. package com.ycxw.ssm.wxcontroller;
    2. import com.ycxw.ssm.mapper.VoteMapper;
    3. import com.ycxw.ssm.model.Vote;
    4. import com.ycxw.ssm.util.ResponseUtil;
    5. import org.springframework.beans.factory.annotation.Autowired;
    6. import org.springframework.web.bind.annotation.RequestMapping;
    7. import org.springframework.web.bind.annotation.RestController;
    8. import java.util.HashMap;
    9. import java.util.Map;
    10. /**
    11. * @author 云村小威
    12. * @create 2023-10-26 22:28
    13. */
    14. @RestController
    15. @RequestMapping("/wx/vote")
    16. public class WXVoteController {
    17. @Autowired
    18. private VoteMapper voteMapper;
    19. //查询选项正在投票的会议的票数
    20. @RequestMapping("/ticket")
    21. public Object selectByOptionId(Long optionId) {
    22. Long i = voteMapper.selectByOptionId(optionId);
    23. Map data = new HashMap();
    24. data.put("ticket", i);
    25. return ResponseUtil.ok(data);
    26. }
    27. //投票
    28. @RequestMapping("/add")
    29. public Object insertSelective(Vote record) {
    30. int i = voteMapper.insertSelective(record);
    31. Map data = new HashMap();
    32. data.put("ok", i);
    33. return ResponseUtil.ok(data);
    34. }
    35. }

     

    三、前端准备

    3.1 定义连接接口

    这里只列出本次需要实现功能的接口 

    1. // 以下是业务服务器API地址
    2. // 本机开发API地址
    3. var WxApiRoot = 'http://localhost:8080/oapro/wx/';
    4. module.exports = {
    5. AuthLoginByWeixin: WxApiRoot + 'auth/login_by_weixin', //微信登录
    6. AuthLogout: WxApiRoot + 'auth/logout', //账号登出
    7. MettingInfoState: WxApiRoot + 'info/listState', //所有进行中的会议
    8. VoteInfos: WxApiRoot + 'option/list', //所有发布投票的会议
    9. SearchVote: WxApiRoot + 'option/search', //搜索投票信息
    10. UpdateState: WxApiRoot + 'info/state', //修改会议状态
    11. MeetingAddVote: WxApiRoot + 'option/add', //发布投票
    12. OverVote: WxApiRoot + 'option/over',//所有结束的会议
    13. AlreadyVote: WxApiRoot + 'option/already',//所有已投的会议
    14. SelectTicket: WxApiRoot + 'vote/ticket',//查询票数
    15. AddTicket: WxApiRoot + 'vote/add',//投票
    16. };

    3.2 Vant Weapp UI 组件库

    本次主要使用 Vant Weapp UI 组件搭建的,学习这个很简单,根据文档安装操作即可:进入 Vant Weapp UI 文档

    3.3 授权登录与相关工具

    进入 【微信小程序】授权登录流程解析

    主要为了了解微信授权登录的流程和原理,方便更好理解后面的知识。

    四、小程序编写

    4.1 投票组件

    WXML

            这里是利用 vant weapp 组件布局的,里面包括搜索框、tab列表、弹窗、以及一个定位的图片按钮,用于进入发布投票页面。 

    1. <view style="height: 15rpx;">view>
    2. <van-search value="{{ search }}" placeholder="请输入搜索关键词" show-action bind:change="Search" bind:search="onSearch" bind:cancel="onCancel" />
    3. <view style="height: 20rpx;">view>
    4. <van-tabs type="card" color="#1989fa">
    5. <van-tab title="进行中">
    6. <van-divider dashed contentPosition="center" customStyle="color: #1989fa; border-color: #1989fa;">
    7. 投一票
    8. van-divider>
    9. <view class="oaFlex">
    10. <block wx:for-items="{{VoteAll}}" wx:for-item="item" wx:key="item.id">
    11. <view class="list" data-id="{{item.id}}" bindtap="open_vote" data-text="{{item.title}}">
    12. <view class="list-detail">
    13. <view class="list-title"><text>{{item.title}}text>view>
    14. view>
    15. <view class="list-img al-center">
    16. <image class="video-img" mode="scaleToFill" src="{{item.picture}}">image>
    17. view>
    18. view>
    19. block>
    20. view>
    21. van-tab>
    22. <van-tab title="已结束">
    23. <view style="height: 50rpx;">view>
    24. <view class="oaFlex">
    25. <block wx:for-items="{{OverVote}}" wx:for-item="item" wx:key="item.id">
    26. <view class="list" data-id="{{item.id}}" bindtap="open_vote" data-text="{{item.title}}">
    27. <view class="list-detail">
    28. <view class="list-title"><text>{{item.title}}text>view>
    29. view>
    30. <view class="list-img al-center">
    31. <image class="video-img" mode="scaleToFill" src="{{item.picture}}">image>
    32. view>
    33. view>
    34. block>
    35. view>
    36. van-tab>
    37. <van-tab title="已投票">
    38. <view style="height: 50rpx;">view>
    39. <view class="oaFlex">
    40. <block wx:for-items="{{AlreadyVote}}" wx:for-item="item" wx:key="item.id">
    41. <view class="list" data-id="{{item.id}}" bindtap="open_vote" data-text="{{item.title}}">
    42. <view class="list-detail">
    43. <view class="list-title"><text>{{item.title}}text>view>
    44. view>
    45. <view class="list-img al-center">
    46. <image class="video-img" mode="scaleToFill" src="{{item.picture}}">image>
    47. view>
    48. view>
    49. block>
    50. view>
    51. van-tab>
    52. van-tabs>
    53. <van-dialog use-slot title="投一票" show="{{ showVote }}" show-cancel-button confirm-button-open-type="getUserInfo" bind:close="onClose" bind:getuserinfo="getUserInfo">
    54. <view style="height: 25rpx;">view>
    55. <van-notice-bar scrollable="{{true}}" color="#1989fa" background="#ecf9ff" left-icon="volume-o" text="{{text}}" />
    56. <view style="height: 15rpx;">view>
    57. <van-cell-group inset>
    58. <van-cell title="当前票数">
    59. <van-stepper disable-input="{{true}}" value="{{ ticket }}" bind:change="onChange" max="{{ticket+1}}" min="{{ticket}}" />
    60. van-cell>
    61. van-cell-group>
    62. van-dialog>
    63. <view style="position:fixed; bottom:10px;width: 150rpx;right: 10px;">
    64. <van-image bindtap="open_publishVote" round width="5rem" height="5rem" src="/static/images/add.png" />
    65. view>

    WXSS

    1. /* pages/vote/list/list.wxss */
    2. .oaFlex {
    3. display: flex;
    4. flex-direction: column;
    5. align-items: center;
    6. }
    7. .list {
    8. width: 360px;
    9. display: flex;
    10. flex-direction: column;
    11. align-items: center;
    12. background-color: rgb(228, 240, 253);
    13. border-bottom: 2px solid #d9dbe2;
    14. margin-bottom: 25px;
    15. }
    16. .video-img {
    17. width: 360px;
    18. height: 160px;
    19. }
    20. .list-detail {
    21. display: flex;
    22. flex-direction: column;
    23. align-items: center;
    24. }
    25. .list-title {
    26. margin-top: 10px;
    27. height: 30px;
    28. font-size: 13pt;
    29. color: #333;
    30. font-weight: bold;
    31. }
    32. .list-info {
    33. color: #aaa;
    34. }
    35. .list-num {
    36. color: red;
    37. /* font-weight: 700; */
    38. }
    39. .join {
    40. padding: 0px 0px 0px 10px;
    41. color: #aaa;
    42. }
    43. .state {
    44. margin: 0px 6px 0px 6px;
    45. border: 1px solid #4083ff;
    46. color: #4083ff;
    47. padding: 3px 5px 3px 5px;
    48. }
    49. .list-tag {
    50. padding: 10px 0px 10px 0px;
    51. display: flex;
    52. align-items: center;
    53. }

    JSON

    1. {
    2. "navigationBarTitleText": "投票",
    3. "usingComponents": {
    4. "van-row": "@vant/weapp/row/index",
    5. "van-col": "@vant/weapp/col/index",
    6. "van-search": "@vant/weapp/search/index",
    7. "van-switch": "@vant/weapp/switch/index",
    8. "van-dialog": "@vant/weapp/dialog/index",
    9. "van-tab": "@vant/weapp/tab/index",
    10. "van-tabs": "@vant/weapp/tabs/index",
    11. "van-divider": "@vant/weapp/divider/index",
    12. "van-image": "@vant/weapp/image/index",
    13. "van-stepper": "@vant/weapp/stepper/index",
    14. "van-cell": "@vant/weapp/cell/index",
    15. "van-cell-group": "@vant/weapp/cell-group/index",
    16. "van-notice-bar": "@vant/weapp/notice-bar/index"
    17. }
    18. }

    WXJS

    1. // pages/vote/list.js
    2. var app = getApp();
    3. const api = require('../../../config/api');
    4. const util = require('../../../utils/util.js');
    5. Page({
    6. /**
    7. * 页面的初始数据
    8. */
    9. data: {
    10. VoteAll: [], //进行中的投票
    11. OverVote: [], //已结束
    12. AlreadyVote: [], //已投票
    13. checked: false, //禁止投票开关
    14. showVote: false, //投票弹出框开关
    15. text: '', //投票标题
    16. ticket: 0, //票数
    17. ticket2: 0, //投票后的票数
    18. search: '', //搜索值
    19. optionId: 0, //投票id
    20. personId: 0, //用户id
    21. },
    22. /*监听搜索输入框的值*/
    23. Search(event) {
    24. this.setData({
    25. search: event.detail
    26. })
    27. },
    28. /*输入框搜索商品*/
    29. onSearch() {
    30. var that = this;
    31. //调用查询接口
    32. util.request(api.SearchVote, {
    33. title: that.data.search
    34. }).then(res => {
    35. //如果搜索字段为空,就刷新界面
    36. if (that.data.search == '') {
    37. this.onShow();
    38. } else {
    39. this.setData({
    40. VoteAll: res.data.searchList
    41. });
    42. }
    43. }).catch(res => {
    44. console.log('服器没有开启,使用模拟数据!')
    45. })
    46. },
    47. //获取全部投票信息
    48. loadVoteInfos() {
    49. util.request(api.VoteInfos).then(res => {
    50. this.setData({
    51. VoteAll: res.data.voteList
    52. });
    53. }).catch(res => {
    54. console.log('服器没有开启,使用模拟数据!')
    55. })
    56. },
    57. //获取全部已结束投票信息
    58. loadOverVote() {
    59. util.request(api.OverVote).then(res => {
    60. this.setData({
    61. OverVote: res.data.overList
    62. });
    63. }).catch(res => {
    64. console.log('服器没有开启,使用模拟数据!')
    65. })
    66. },
    67. //获取全部已投票的信息
    68. loadAlreadyVote() {
    69. util.request(api.AlreadyVote, {
    70. personId: this.data.personId
    71. }).then(res => {
    72. this.setData({
    73. AlreadyVote: res.data.alreadyList
    74. });
    75. }).catch(res => {
    76. console.log('服器没有开启,使用模拟数据!')
    77. })
    78. },
    79. //发布投票点击事件
    80. open_publishVote: function () {
    81. wx.navigateTo({
    82. url: '/pages/meeting/add/add',
    83. })
    84. },
    85. //投票弹窗点击事件
    86. open_vote(event) {
    87. var itemId = event.currentTarget.dataset.id; //投票id
    88. var itemText = event.currentTarget.dataset.text; //投票主题
    89. util.request(api.SelectTicket, {
    90. optionId: itemId
    91. }).then(res => {
    92. this.setData({
    93. text: itemText,
    94. showVote: true,
    95. ticket: res.data.ticket,
    96. optionId: itemId
    97. });
    98. }).catch(res => {
    99. console.log('服器没有开启,使用模拟数据!')
    100. })
    101. },
    102. //投票弹窗关闭事件
    103. onClose() {
    104. this.setData({
    105. showVote: false
    106. });
    107. },
    108. //票数绑定
    109. onChange(event) {
    110. // 用户投的票
    111. this.setData({
    112. ticket2: event.detail
    113. });
    114. console.log(this.data.ticket); //原票数
    115. console.log(this.data.ticket2); //新票数
    116. },
    117. // 投票确认事件
    118. getUserInfo(event) {
    119. let ticket = this.data.ticket2;
    120. let userInfo = wx.getStorageSync('userInfo');;
    121. // 构造发布投票请求参数
    122. const putVote = {
    123. optionId: this.data.optionId,
    124. personId: userInfo.userId
    125. };
    126. //对比如果没增长就代表没投票,并且为登录状态
    127. if (this.data.ticket == ticket || userInfo.userId == 0) {
    128. wx.showToast({
    129. title: '暂未投票哦',
    130. icon: 'error',
    131. duration: 2000,
    132. mask: true //显示透明蒙层,防止触摸穿透
    133. });
    134. } else {
    135. util.request(api.AddTicket, putVote).then(res => {
    136. console.log(res);
    137. wx.showToast({
    138. title: '投票成功',
    139. icon: 'sucess',
    140. duration: 2000,
    141. mask: true //显示透明蒙层,防止触摸穿透
    142. });
    143. this.onShow();
    144. }).catch(res => {
    145. console.log('服器没有开启,使用模拟数据!')
    146. })
    147. }
    148. },
    149. /**
    150. * 生命周期函数--监听页面加载
    151. */
    152. onLoad(options) {
    153. },
    154. /**
    155. * 生命周期函数--监听页面显示
    156. */
    157. onShow() {
    158. // 从本地缓冲拿取用户id
    159. let userInfo = wx.getStorageSync('userInfo');
    160. this.setData({
    161. personId: userInfo.userId
    162. });
    163. this.loadVoteInfos();
    164. this.loadOverVote();
    165. this.loadAlreadyVote();
    166. },
    167. /**
    168. * 生命周期函数--监听页面隐藏
    169. */
    170. onHide() {
    171. },
    172. /**
    173. * 生命周期函数--监听页面卸载
    174. */
    175. onUnload() {
    176. },
    177. /**
    178. * 页面相关事件处理函数--监听用户下拉动作
    179. */
    180. onPullDownRefresh() {
    181. },
    182. /**
    183. * 页面上拉触底事件的处理函数
    184. */
    185. onReachBottom() {
    186. },
    187. /**
    188. * 用户点击右上角分享
    189. */
    190. onShareAppMessage() {
    191. }
    192. })

     

    效果展示讲解:

    1、查询当前登录的用户id,获取已投票和未投票信息,分别存储不同数组进行遍历显示

    2、通过数据投票主题关键字进行模糊查询

    3、点击投票列表进入弹窗,显示投票主题和该票数,利用进步器选择加减投票

    4、必须加一票和登录后才能投票成功,并刷新界面

    🌟更多解释请研究js代码

     

    4.2  发布投票组件

    WXML

    这里用到了图片上传和下拉会议列表

    1. <view class="img">
    2. <image class="upload_img" src="{{imageUrl=='' ? '/static/images/uploadimg.png':imageUrl }}" mode="aspectFit" bindtap="handleUploadImage">image>
    3. <input hidden="true" type="text" name="images" value="{{imageUrl}}" />
    4. view>
    5. <view style="height: 10px;">view>
    6. <van-cell-group>
    7. <van-field model:value="{{ title }}" placeholder="请输入投票主题" label="主题" border="{{ true }}" />
    8. van-cell-group>
    9. <view style="height: 10px;">view>
    10. <van-dropdown-menu active-color="#1989fa">
    11. <van-dropdown-item value="{{ value }}" options="{{ option }}" bind:change="onDropdownMenuChange" />
    12. van-dropdown-menu>
    13. <view style="height: 300px;">view>
    14. <van-row>
    15. <van-col offset="8" span="8">
    16. <van-button plain hairline icon="add-square" type="info" style="margin-top: 25px;" bind:tap="handleVote" size="large">发起投票van-button>
    17. van-col>
    18. van-row>

     

    WXSS

    1. /* pages/meeting/add/add.wxss */
    2. .img {
    3. margin-top: 25px;
    4. height: 480rpx;
    5. }
    6. .upload_img {
    7. height: 450rpx;
    8. width: 735rpx;
    9. box-shadow: 5px 8px rgb(218, 221, 221);
    10. border-radius: 5rpx;
    11. }

    JSON

    1. {
    2. "navigationBarTitleText": "发起投票",
    3. "usingComponents": {
    4. "van-field": "@vant/weapp/field/index",
    5. "van-uploader": "@vant/weapp/uploader/index",
    6. "van-row": "@vant/weapp/row/index",
    7. "van-col": "@vant/weapp/col/index",
    8. "van-calendar": "@vant/weapp/calendar/index",
    9. "van-cell": "@vant/weapp/cell/index",
    10. "van-cell-group": "@vant/weapp/cell-group/index",
    11. "van-button": "@vant/weapp/button/index",
    12. "van-picker": "@vant/weapp/picker/index",
    13. "van-dropdown-menu": "@vant/weapp/dropdown-menu/index",
    14. "van-dropdown-item": "@vant/weapp/dropdown-item/index"
    15. }
    16. }

    WXJS

    1. // pages/meeting/add/add.js
    2. var app = getApp();
    3. const api = require('../../../config/api');
    4. const util = require('../../../utils/util.js');
    5. Page({
    6. /**
    7. * 页面的初始数据
    8. */
    9. data: {
    10. imageUrl: '', //发布投票图片
    11. option: [{
    12. text: '选择会议',
    13. value: 0
    14. }], //会议选项(该是默认值)
    15. value: 0, //会议选项id
    16. optiontext: null, //会议选项标题
    17. title: '', //投票主题
    18. },
    19. //图片选择器
    20. handleUploadImage() {
    21. wx.chooseImage({
    22. count: 1,
    23. success: (res) => {
    24. const imagePath = res.tempFilePaths[0];
    25. // 处理选择的图片路径
    26. console.log('选择的图片路径:', imagePath);
    27. this.setData({
    28. imageUrl: imagePath // 更新图片路径,触发重新渲染
    29. });
    30. }
    31. });
    32. },
    33. //获取所有正在进行的会议
    34. loadMeetingInfos() {
    35. util.request(api.MettingInfoState).then(res => {
    36. //定义空数组存储数据库传来的json数据值
    37. let options = [];
    38. for (var index in res.data.listState) {
    39. //获取需要的字段值
    40. let id = res.data.listState[index].id;
    41. let title = res.data.listState[index].title;
    42. //给每个值设置对应的字段存储到数组
    43. options.push({
    44. text: title,
    45. value: id
    46. });
    47. }
    48. this.setData({
    49. //在option数组的内容后添加新的内容
    50. option: this.data.option.concat(options)
    51. });
    52. }).catch(res => {
    53. console.log('服器没有开启,使用模拟数据!')
    54. })
    55. },
    56. // 监听菜单选择事件
    57. onDropdownMenuChange(event) {
    58. //获取选择的选项值
    59. let value = event.detail;
    60. //获取option数组的value与选择的value值相同的数据
    61. const selectedOption = this.data.option.find(option => option.value === value);
    62. this.setData({
    63. //将数据赋值到变量中进行存储
    64. optiontext: selectedOption.text,
    65. value: selectedOption.value
    66. });
    67. },
    68. //发布投票
    69. handleVote() {
    70. // 获取页面中的数据
    71. const picture = this.data.imageUrl;
    72. const meetingId = this.data.value;
    73. const title = this.data.title;
    74. //判断只要有内容为空就不进行发布
    75. if (picture == '' || meetingId == 0 || title == '') {
    76. wx.showToast({
    77. title: '请完善投票内容',
    78. icon: 'error',
    79. duration: 2000,
    80. mask: true //显示透明蒙层,防止触摸穿透
    81. });
    82. //阻止运行后面的代码
    83. return
    84. }
    85. // 构造发布投票请求参数
    86. const requestData = {
    87. meetingid: meetingId,
    88. title: title,
    89. picture: picture
    90. };
    91. // 构造修改会议状态请求参数
    92. const updateData = {
    93. id: meetingId,
    94. state:5
    95. };
    96. // 发起网络请求,将数据传递给后端
    97. util.request(api.MeetingAddVote, requestData).then(res => {
    98. //修改会议状态为开启投票接口
    99. util.request(api.UpdateState,updateData).then(res => {console.log(res)});
    100. //获取页面栈返回上一个界面
    101. const pages = getCurrentPages() //获取页面列表
    102. const perpage = pages[pages.length - 1] //当前页
    103. //刷新页面
    104. wx.navigateBack({
    105. delta: 1,
    106. //返回成功调用函数
    107. success: function () {
    108. wx.showToast({
    109. title: '发布成功',
    110. icon: 'success',
    111. duration: 2000,
    112. mask: true //显示透明蒙层,防止触摸穿透
    113. });
    114. }
    115. })
    116. //加载界面(用于刷新)
    117. perpage.onLoad()
    118. // 可以在这里进行页面跳转或其他操作
    119. }).catch(res => {
    120. // 请求失败的处理逻辑
    121. console.error('数据保存失败', err);
    122. })
    123. },
    124. /**
    125. * 生命周期函数--监听页面加载
    126. */
    127. onLoad(options) {
    128. this.loadMeetingInfos();
    129. },
    130. /**
    131. * 生命周期函数--监听页面初次渲染完成
    132. */
    133. onReady() {
    134. },
    135. /**
    136. * 生命周期函数--监听页面显示
    137. */
    138. onShow() {
    139. },
    140. /**
    141. * 生命周期函数--监听页面隐藏
    142. */
    143. onHide() {
    144. },
    145. /**
    146. * 生命周期函数--监听页面卸载
    147. */
    148. onUnload() {
    149. },
    150. /**
    151. * 页面相关事件处理函数--监听用户下拉动作
    152. */
    153. onPullDownRefresh() {
    154. },
    155. /**
    156. * 页面上拉触底事件的处理函数
    157. */
    158. onReachBottom() {
    159. },
    160. /**
    161. * 用户点击右上角分享
    162. */
    163. onShareAppMessage() {
    164. }
    165. })

    效果展示讲解:

    1、首先是一个图片点击事件跳转到发布投票界面

    2、进入页面就开始渲染会议列表内容,获取所有会议状态为开启会议的json数据,通过遍历拿取id和标题,按照指定下拉列表组件指定属性进行复制。

    3、通过微信提供的图片上传函数,将图片解析成网络路径进行访问和存储

    4、最后准备发布投票:

    • 监听下拉列表数据,通过选择的值对原数组的值进行判断从而确定拿取的数据
    • 发布成功后通过获取页面栈返回上级界面,并利用生命周期同时刷新投票界面

    🌟更多解释请研究js代码

     

           如你们所见,其实其中许多不足,比如用户投完票后,该选择没有在界面上消除。这里还需要做连表查询投票信息如果存在该发布的投票列表就不会再获取到;还有每当点击投票弹窗确定时,不管是否投了票,是否登录了,它都会调用一次微信登录方法,这个目前还在排查中,不知道是否是某些方法牵引到了登录功能,各位大佬有什么见解欢迎评论区留言🥰

  • 相关阅读:
    基于虚拟力优化的无线传感器网络覆盖率matlab仿真
    【Java系列】JDK 1.8 新特性之 Lambda表达式
    Outlook导入导出功能灰色,怎么解决
    猿创征文 第二季| #「笔耕不辍」--生命不息,写作不止#
    okr与项目管理区别?
    leetcode-06-[454]四数相加II[383]赎金信 [15] 三数之和 [18] 四数之和
    SpringBoot+Mybaits搭建通用管理系统实例十一:数据缓存功能实现
    “一带一路”是创新之路。推进“一带一路”建设应促进科技同()、科技同金融深度融合。
    【C++】LeetCode 160 相交链表
    云e办(后端)——全局异常处理
  • 原文地址:https://blog.csdn.net/Justw320/article/details/134086888