Springboot 整合微信小程序实现登录与增删改查

程序员私房菜

共 23434字,需浏览 47分钟

 ·

2020-08-06 11:10

作者:安详的苦丁茶
链接:https://www.cnblogs.com/ckfeng/p/12812214.html

粉丝福利:已经绝版的《数据结构和算法(第二版)》高清电子书!我搞到了!

项目描述:在微信小程序中通过与Springboot操作数据库实现简单的增删改查,其中我是用springboot整合mybatis-plus 和mysql使用的

1. 开发前准备

1.1 前置知识

  • java基础
  • SpringBoot简单基础知识

1.2 环境参数

  • 开发工具:IDEA
  • 基础环境:Maven+JDK8
  • 主要技术:SpringBoot、lombok、mybatis-plus、mysql 、微信小程序
  • SpringBoot版本:2.2.6
2.开发者服务器

项目结构:

48ab8bdf36320842c045216b7599cd5e.webp

2.1 初始配置

(1)pom.xml配置

 <dependencies>
        <dependency>
            <groupId>org.springframework.bootgroupId>
            <artifactId>spring-boot-starter-webartifactId>
        dependency>

        <dependency>
            <groupId>org.mybatis.spring.bootgroupId>
            <artifactId>mybatis-spring-boot-starterartifactId>
            <version>2.1.1version>
        dependency>

        
        <dependency>
            <groupId>org.springframework.bootgroupId>
            <artifactId>spring-boot-starter-thymeleafartifactId>
        dependency>

        
        <dependency>
            <groupId>com.alibabagroupId>
            <artifactId>druidartifactId>
            <version>1.1.14version>
        dependency>

        
        <dependency>
            <groupId>mysqlgroupId>
            <artifactId>mysql-connector-javaartifactId>
            <version>5.1.42version>
            <scope>runtimescope>
        dependency>

        
        <dependency>
            <groupId>com.baomidougroupId>
            <artifactId>mybatis-plus-boot-starterartifactId>
            <version>3.1.0version>
        dependency>

        
        <dependency>
            <groupId>org.projectlombokgroupId>
            <artifactId>lombokartifactId>
            <optional>trueoptional>
        dependency>

        
        <dependency>
            <groupId>com.github.pagehelpergroupId>
            <artifactId>pagehelper-spring-boot-starterartifactId>
            <version>1.2.5version>
        dependency>

        
        <dependency>
            <groupId>junitgroupId>
            <artifactId>junitartifactId>
            <scope>testscope>
        dependency>

        <dependency>
            <groupId>org.springframework.bootgroupId>
            <artifactId>spring-boot-starter-testartifactId>
            <scope>testscope>
            <exclusions>
                <exclusion>
                    <groupId>org.junit.vintagegroupId>
                    <artifactId>junit-vintage-engineartifactId>
                exclusion>
            exclusions>
        dependency>
    dependencies>

    <build>
        <plugins>
            <plugin>
                <groupId>org.springframework.bootgroupId>
                <artifactId>spring-boot-maven-pluginartifactId>
            plugin>
        plugins>
    build>

project>

(2)application.yml

# Spring Boot 的数据源配置
spring:
  datasource:
    name: wx
    url: jdbc:mysql://localhost:3306/wx_mini_program?useUnicode=true&characterEncoding=utf8&zeroDateTimeBehavior=convertToNull&useSSL=true&serverTimezone=GMT%2B8
 username: root
    password: root
    # 使用druid数据源
    type: com.alibaba.druid.pool.DruidDataSource
    driver-class-name: com.mysql.jdbc.Driver
    filters: stat
    maxActive: 20 initialSize: 1 maxWait: 60000 minIdle: 1 timeBetweenEvictionRunsMillis: 60000 minEvictableIdleTimeMillis: 300000 validationQuery: select 'x' testWhileIdle: true testOnBorrow: false testOnReturn: false poolPreparedStatements: true maxPoolPreparedStatementPerConnectionSize: 20 maxOpenPreparedStatements: 20 # mybatis-plus相关配置
mybatis-plus:
  # xml扫描,多个目录用逗号或者分号分隔(告诉 Mapper 所对应的 XML 文件位置)
  mapper-locations: classpath:mapper/*.xml
  # 以下配置均有默认值,可以不设置
  global-config:
    db-config:
      #主键类型 AUTO:"数据库ID自增" INPUT:"用户输入ID",ID_WORKER:"全局唯一ID (数字类型唯一ID)", UUID:"全局唯一ID UUID";
      id-type: auto
      #字段策略 IGNORED:"忽略判断"  NOT_NULL:"非 NULL 判断")  NOT_EMPTY:"非空判断"
      field-strategy: NOT_EMPTY
      #数据库类型
      db-type: MYSQL

  # 指定实体类的包
  type-aliases-package: com.ckf.login_wx.entity
  configuration:
    # 是否开启自动驼峰命名规则映射:从数据库列名到Java属性驼峰命名的类似映射
    map-underscore-to-camel-case: true
    # 如果查询结果中包含空值的列,则 MyBatis 在映射的时候,不会映射这个字段
    call-setters-on-nulls: true
    # 这个配置会将执行的sql打印出来,在开发或测试的时候可以用
    log-impl: org.apache.ibatis.logging.stdout.StdOutImpl

# PageHelper分页插件
pagehelper:
  helperDialect: mysql
  reasonable: true
  supportMethodsArguments: true
  params: count=countSql

2.2 小程序用户表


CREATE table users(
 id int not null PRIMARY key auto_increment,
 name varchar(255not null,
 age int not null );

insert into users value(null,'陈克锋',18);
insert into users value(null,'陈克帅',11);
insert into users value(null,'陈克兵',14); select * from users;

2.3 pojo

d02023191c80c8bfa5f630c108cef12d.webp

2.4 mapper

57ef0377b7ace73da30f86ab54ca207c.webp

2.5 service

dd2b8d8cbbd61e023ffbd9d89c428b10.webp

2.5 serviceImpl

bd6058be57bd9d788afe9afa91bb805c.webp

配置SpringBoot扫描mapper

caf632731d49b389c3d847aec39e0408.webp

2.6 controller

LoginController


package com.ckf.login_wx.controller;

import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RestController;

import java.util.HashMap;
import java.util.Map; /**
 * @author 安详的苦丁茶
 * @date 2020/4/30 11:46 */
 @RestController public class LoginController /**
     * 登录
     * @param phone
     * @param password
     * @return */
 @PostMapping("/doLogin"public Map doLogin(String phone, String password){
        Map map = new HashMap(); if ((phone.equals("10086")&& password.equals("123456"))){
            map.put("code",200);
            map.put("result","登录成功");
            System.out.println("登录成功");
        }else {
            map.put("result","no");
        } return map;
    }

}

UserController


package com.ckf.login_wx.controller;

import com.ckf.login_wx.entity.User;
import com.ckf.login_wx.servic.UserService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*; /**
 * @author 安详的苦丁茶
 * @date 2020/4/30 13:39 */
 @RestController
@RequestMapping("/test"public class UserController {

    @Autowired private UserService userService; /**
     * 查询全部
     * @return */
 @GetMapping("/list"public Object list(){
        System.out.println("查询成功"); return userService.list();
    } /**
     * 根据id删除
     * @param id
     * @return */
 @GetMapping("/delete"public boolean delete(Integer id){
        System.out.println("删除成功"); return userService.removeById(id);
    } /**
     *  根据id查询
      * @param id
     * @return */
 @GetMapping("/byid"public Object byid(Integer id){
        System.out.println("查询成功"); return userService.getById(id);
    } /**
     *  修改
     * @param user
     * @return */
 @PostMapping("/update"public boolean update(@RequestBody User user){
        System.out.println("修改成功"); return userService.updateById(user);
    } /**
     * 添加
     * @param user
     * @return */
 @PostMapping("/add"public boolean add(@RequestBody User user){
        System.out.println("添加成功"); return userService.save(user);
    }

}
3. 微信小程序

项目结构:

82152f2b38af8939c1f83202bd1c6569.webp

3.1 初始配置

0c50968c9346789440a0c37baa41b035.webp

3.2 bing.wxml



<view>

  <form bindsubmit='doLogin'>
            
            <view class="inputView">

                <label class="loginLabel">账号label>
                <input name="phone" value='10086' class="inputText" placeholder="请输入账号" />
            view>
            <view class="line">view>

            
            <view class="inputView">

                <label class="loginLabel">密码label>
                <input name="password" value='123456' class="inputText" password="true" placeholder="请输入密码" />
            view>
            <view class="line">view>
            
            <view class='backColor'>
                <button class="loginBtn" formType="submit"  open-type='getUserInfo' >登录button>
            view>

            
        form>

view>

3.3 bing.js

ffb1518b059cb637a4a9da692d296348.webp

3.3 list.wxml



  <button class="add" type='primary' bindtap='addArea'>添加button>
<view class="container">
  <view class='widget'>
    <text class='column'>编号text>
    <text class='column'>姓名text>
    <text class='column'>年龄text>
    <text class='link-column'>操作text>
  view>
  <scroll-view scroll-y="true">
    <view>
      <block wx:for='{{list}}'>
      <view class='widget'> 
        <text class='column'>{{item.id}}text>
        <text class='column'>{{item.name}}text>
         <text class='column'>{{item.age}}text>
        <view class='link-column'>
          <navigator class='link' url='../operation/operation?id={{item.id}}'>编辑navigator> |
          <text class='link' bindtap='deleteArea' data-areaid='{{item.id}}' data-areaname='{{item.name}}' data-index='{{index}}'>删除text>  
        view>
        view>      
      block>
    view>
  scroll-view>

view>

3.4 list.js


// pages/list/list.js
Page({ /**
   * 页面的初始数据 */
 data: {
    list:[]
  }, /**
   * 生命周期函数--监听页面加载 */
 onLoad: function (options{

  }, /**
   * 生命周期函数--监听页面初次渲染完成 */
 onReady: function () {

  }, /**
   * 生命周期函数--监听页面显示 */
 onShow: function () var that=this;
    wx.request({
      url'http://localhost:8080/test/list',
      method:'GET',
      data:{},
      success:function(res)var list=res.data; if(list==null){ var toastText='获取数据失败';
          wx.showToast({
            title: toastText,
            icon:'',
            duration:2000 //弹出时间
 })
        }else{
          that.setData({
            list:list
          })
        }
      }
    })
  }, /**
   * 生命周期函数--监听页面隐藏 */
 onHide: function () {

  }, /**
   * 生命周期函数--监听页面卸载 */
 onUnload: function () {

  }, /**
   * 页面相关事件处理函数--监听用户下拉动作 */
 onPullDownRefresh: function () {

  }, /**
   * 页面上拉触底事件的处理函数 */
 onReachBottom: function () {

  }, /**
   * 用户点击右上角分享 */
 onShareAppMessage: function () {

  },
  addArea:function(){
    wx.navigateTo({
      url:'../operation/operation' })
  },
  deleteAreafunction (evar that=this;
    wx.showModal({
      title'提示',
      content'确定要删除[' + e.target.dataset.areaname +']吗?',
      success:function(sm)if(sm.confirm){
          wx.request({
            url'http://localhost:8080/test/delete',
            data: { id: e.target.dataset.areaid},
            method:'GET',
            success:function(res)var result=res.statusCode; var toastText="删除成功"if(result!=200){
                toastText = "删除失败";
              }else{
                that.data.list.splice(e.target.dataset.index,1);
                that.setData({
                  list:that.data.list
                });
              }
              wx.showToast({
                title: toastText,
                icon:'',
                duration:2000 });
            }
          })
        }
      }
    })

  }
})

3.5 app.json


"pages": [ "pages/bind/bind""pages/list/list""pages/logs/logs""pages/operation/operation""pages/index/index" ], "window": { "backgroundColor""#F6F6F6""backgroundTextStyle""light""navigationBarBackgroundColor""#29d""navigationBarTitleText""login""navigationBarTextStyle""black" }, "sitemapLocation""sitemap.json""style""v2" }
4. 测试

启动开发者服务器,启动SpringBoot的main方法。

打开微信小程序开发者工具

登录页面

3eca9cfd8345f49a73a8ff68db6e3568.webp

首页

11f548b517f5de5651260b01f5f534ef.webp

添加页面

965f96949b47a8e8872d31364f2f5b93.webp

修改页面

008bc112c86c38f3f316f790df8be6fa.webp

删除

51ebf9e4f646019042cbbc6e6a995ff0.webp

到处基本的增删改查操作已经完成了

如有需要前往 Gitee(码云)下载

前台:https://gitee.com/ckfeng/applet_of_wechat.git

后台:https://gitee.com/ckfeng/wx_login.git


如果有人问学习数据结构和算法有什么书籍可以推荐,那么《数据结构和算法(第二版)》一定必读不可,这本书第二版的豆瓣评分高达 8.3 ,很经典,非常适合假期集中时间阅读。

7822fec9142f76ceaf2ac48eadf58e16.webp

这本书在市面上已经绝版了,非常经典,我这提供了高清电子书下载:
获取方式
《数据结构和算法》第二版高清电子书已经打包好,可以通过下述步骤来获取:


扫描下方二维码回复:数据结构

可获取下载链接

???


 

?长按上方二维码 2 秒

回复「数据结构」即可获取资料


点赞是最大的支持 77846c92ea789ddd852f481bf2f56689.webp

浏览 15
点赞
评论
收藏
分享

手机扫一扫分享

举报
评论
图片
表情
推荐
点赞
评论
收藏
分享

手机扫一扫分享

举报