Mybatis-Plus前后端分离多表联查模糊查询分页

news2024/11/24 14:06:01

数据准备

数据库配置:

/*
 Navicat Premium Data Transfer

 Source Server         : localhost_3306
 Source Server Type    : MySQL
 Source Server Version : 80100 (8.1.0)
 Source Host           : localhost:3306
 Source Schema         : test01

 Target Server Type    : MySQL
 Target Server Version : 80100 (8.1.0)
 File Encoding         : 65001

 Date: 07/11/2023 16:23:00
*/

SET NAMES utf8mb4;
SET FOREIGN_KEY_CHECKS = 0;

-- ----------------------------
-- Table structure for dept
-- ----------------------------
DROP TABLE IF EXISTS `dept`;
CREATE TABLE `dept`  (
  `deptno` int NOT NULL AUTO_INCREMENT,
  `dname` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_0900_ai_ci NULL DEFAULT NULL,
  PRIMARY KEY (`deptno`) USING BTREE
) ENGINE = InnoDB AUTO_INCREMENT = 5 CHARACTER SET = utf8mb4 COLLATE = utf8mb4_0900_ai_ci ROW_FORMAT = Dynamic;

-- ----------------------------
-- Records of dept
-- ----------------------------
INSERT INTO `dept` VALUES (1, '管理');
INSERT INTO `dept` VALUES (2, '人事');
INSERT INTO `dept` VALUES (3, '财务');
INSERT INTO `dept` VALUES (4, '销售');

-- ----------------------------
-- Table structure for emp
-- ----------------------------
DROP TABLE IF EXISTS `emp`;
CREATE TABLE `emp`  (
  `id` int NOT NULL AUTO_INCREMENT COMMENT '员工ID',
  `ename` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_0900_ai_ci NOT NULL COMMENT '员工姓名',
  `birthday` date NULL DEFAULT NULL COMMENT '出生日期',
  `hobby` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_0900_ai_ci NULL DEFAULT NULL COMMENT '爱好',
  `sex` char(1) CHARACTER SET utf8mb4 COLLATE utf8mb4_0900_ai_ci NULL DEFAULT NULL COMMENT '性别',
  `address` varchar(255) CHARACTER SET utf8mb4 COLLATE utf8mb4_0900_ai_ci NULL DEFAULT NULL COMMENT '住址',
  `deptno` int NULL DEFAULT NULL COMMENT '部部门id',
  `delid` int NULL DEFAULT 0 COMMENT '0正常1删除',
  PRIMARY KEY (`id`, `ename`) USING BTREE
) ENGINE = InnoDB AUTO_INCREMENT = 9 CHARACTER SET = utf8mb4 COLLATE = utf8mb4_0900_ai_ci ROW_FORMAT = Dynamic;

-- ----------------------------
-- Records of emp
-- ----------------------------
INSERT INTO `emp` VALUES (1, '张三', '2000-08-06', '音乐,篮球', '男', '河南省, 郑州市', 1, 0);
INSERT INTO `emp` VALUES (2, '李四', '2001-07-06', '吃饭,睡觉', '男', '河南省, 郑州市', 2, 0);
INSERT INTO `emp` VALUES (3, '王五', '2002-09-20', NULL, '男', '河南省, 郑州市', 3, 0);
INSERT INTO `emp` VALUES (4, '老六', '2002-08-16', '睡觉', '男', '河南省, 郑州市', 4, 0);
INSERT INTO `emp` VALUES (5, '老七', '2001-06-15', NULL, '男', '河南省, 郑州市', 1, 0);
INSERT INTO `emp` VALUES (6, '梨树华', '1999-07-08', '睡觉,音乐,吃饭', '男', '河南省,洛阳市,涧西区', 4, 0);
INSERT INTO `emp` VALUES (7, '林森', '2002-03-06', '睡觉,音乐', '男', '河南省,洛阳市,涧西区', 3, 0);
INSERT INTO `emp` VALUES (8, '小娜', '2002-03-01', '音乐,睡觉', '女', '河北省,秦皇岛市,海港区', 2, 0);

SET FOREIGN_KEY_CHECKS = 1;

前端vue+elementui+router+axios

基于vue2 路由的版本不要太高了 < @4

main.js 文件(跨域配置,响应拦截器)

import Vue from 'vue'
import App from './App.vue'
import router from './router'
import ElementUI from 'element-ui'
import 'element-ui/lib/theme-chalk/index.css'
import axios from "axios";
// 引入全局组件
import pageCom from '@/components/PageComponent.vue'
Vue.component("myPage",pageCom)

Vue.use(ElementUI);

const instance = axios.create({
  baseURL: 'http://localhost:8080/'
})
instance.interceptors.response.use(responce => {
  if (responce.data.code == 500) {
    router.push({path: "/err404"});
  }
  return responce.data.t;
}, error => {
  return Promise.reject(error)
})
Vue.prototype.$axios = instance


Vue.config.productionTip = false

new Vue({
  router,
  render: h => h(App)
}).$mount('#app')

后端配置mybatis-plus+springboot

跨域

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.web.cors.CorsConfiguration;
import org.springframework.web.cors.UrlBasedCorsConfigurationSource;
import org.springframework.web.filter.CorsFilter;

@Configuration
public class CrossConfig {
    @Bean
    public CorsFilter corsFilter() {
        final UrlBasedCorsConfigurationSource source = new UrlBasedCorsConfigurationSource();
        final CorsConfiguration corsConfiguration = new CorsConfiguration();
//        corsConfiguration.setAllowCredentials(true);
        corsConfiguration.addAllowedHeader("*"); // 允许所有的头
        corsConfiguration.addAllowedOrigin("*"); // 允许所有的请求源
        corsConfiguration.addAllowedMethod("*");  // 所欲的方法   get post delete put
        source.registerCorsConfiguration("/**", corsConfiguration); // 所有的路径都允许跨域
        return new CorsFilter(source);
    }

}

分页

import com.baomidou.mybatisplus.annotation.DbType;
import com.baomidou.mybatisplus.autoconfigure.ConfigurationCustomizer;
import com.baomidou.mybatisplus.extension.plugins.MybatisPlusInterceptor;
import com.baomidou.mybatisplus.extension.plugins.inner.PaginationInnerInterceptor;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

@Configuration
public class MybatisPlusConfig {

    @Bean
    public MybatisPlusInterceptor mybatisPlusInterceptor() {
        MybatisPlusInterceptor interceptor = new MybatisPlusInterceptor();
        interceptor.addInnerInterceptor(new PaginationInnerInterceptor(DbType.MYSQL));
        return interceptor;
    }
}

swagger(可用可不用,api文档)

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import springfox.documentation.builders.ApiInfoBuilder;
import springfox.documentation.builders.PathSelectors;
import springfox.documentation.builders.RequestHandlerSelectors;
import springfox.documentation.service.ApiInfo;
import springfox.documentation.service.Contact;
import springfox.documentation.spi.DocumentationType;
import springfox.documentation.spring.web.plugins.Docket;
import springfox.documentation.swagger2.annotations.EnableSwagger2;

@Configuration
@EnableSwagger2
public class Swagger2 {
    @Bean
    public Docket createRestApi() {
        return new Docket(DocumentationType.SWAGGER_2)
                .apiInfo(apiInfo())
                .select()
                .apis(RequestHandlerSelectors.basePackage("com.web.controller"))
                .paths(PathSelectors.any())
                .build();
    }


    private ApiInfo apiInfo() {
        return new ApiInfoBuilder()
                .title("服务:发布为daocke镜像,权限管理,用户管理,页面管理,日志 后台 APIs")
                .description("服务:发布为daocke镜像,权限管理,用户管理,页面管理,日志 后台")
                .termsOfServiceUrl("https://www.baidu.com") //代码的路径
                .contact(new Contact("hp",null,null))
                .version("1.0")
                .build();
    }
}

application.yml(全局配置文件)

spring:
  datasource:
    driver-class-name: com.mysql.cj.jdbc.Driver
    url: jdbc:mysql:///test01?serverTimezone=UTC
    password: root
    username: root
  jackson:
    date-format: yyyy-MM-dd HH:mm:ss
    time-zone: GMT+8
    serialization:
      write-date-keys-as-timestamps: false
  mvc:
    pathmatch:
      matching-strategy: ant_path_matcher

mybatis-plus:
  configuration:
    map-underscore-to-camel-case: true
    log-impl: org.apache.ibatis.logging.stdout.StdOutImpl
  mapper-locations: classpath:/mapper/*.xml
  global-config:
    db-config:
      logic-not-delete-value: 1
      logic-delete-value: 0
  type-aliases-package: com.web.entity

pom.xml (项目依赖)

<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
         xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 https://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>
    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>2.7.17</version>
        <relativePath/> <!-- lookup parent from repository -->
    </parent>
    <groupId>com.web</groupId>
    <artifactId>web</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <name>web</name>
    <description>web</description>
    <properties>
        <java.version>1.8</java.version>
    </properties>
    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>

        <dependency>
            <groupId>com.mysql</groupId>
            <artifactId>mysql-connector-j</artifactId>
            <scope>runtime</scope>
        </dependency>
        <dependency>
            <groupId>org.projectlombok</groupId>
            <artifactId>lombok</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
        <!--        mp 自动生成-->
        <dependency>
            <groupId>com.baomidou</groupId>
            <artifactId>mybatis-plus-boot-starter</artifactId>
            <version>3.5.3</version>
        </dependency>
        <!--        模板-->
        <dependency>
            <groupId>com.baomidou</groupId>
            <artifactId>mybatis-plus-generator</artifactId>
            <version>3.5.3</version>
        </dependency>
        <dependency>
            <groupId>org.apache.velocity</groupId>
            <artifactId>velocity-engine-core</artifactId>
            <version>2.3</version>
        </dependency>

        <dependency>
            <groupId>org.freemarker</groupId>
            <artifactId>freemarker</artifactId>
        </dependency>
        <dependency>
            <groupId>com.github.pagehelper</groupId>
            <artifactId>pagehelper-spring-boot-starter</artifactId>
            <version>1.4.6</version>
        </dependency>
        <dependency>
            <groupId>io.springfox</groupId>
            <artifactId>springfox-swagger2</artifactId>
            <version>3.0.0</version>
        </dependency>
<!--        <dependency>-->
<!--            <groupId>io.springfox</groupId>-->
<!--            <artifactId>springfox-swagger-ui</artifactId>-->
<!--            <version>3.0.0</version>-->
<!--        </dependency>-->
        <dependency>
            <groupId>com.github.xiaoymin</groupId>
            <artifactId>swagger-bootstrap-ui</artifactId>
            <version>1.9.6</version>
        </dependency>
    </dependencies>

    <build>
        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
                <configuration>
                    <excludes>
                        <exclude>
                            <groupId>org.projectlombok</groupId>
                            <artifactId>lombok</artifactId>
                        </exclude>
                    </excludes>
                </configuration>
            </plugin>
        </plugins>
    </build>

</project>

代码书写

后端

创建基本架构

ResuUtil 类
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

@Data
@AllArgsConstructor
@NoArgsConstructor
public class ResuUtil<T> {
    Integer code;
    String msg;
    T t;
    public static <T> ResuUtil<T> success (T t) {
        return new ResuUtil<>(200,"成功",t);
    }
    public static <T> ResuUtil<T> fail (T t) {
        return new ResuUtil<>(500,"失败",t);
    }
}
pageUtil类
import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

@Data
@AllArgsConstructor
@NoArgsConstructor
public class PageUtil {
    private Integer pageIndex = 1;
    private Integer pageSize = 3;
}
MP (mybatis-plus 官网代码快速生成)
import com.baomidou.mybatisplus.annotation.FieldFill;
import com.baomidou.mybatisplus.generator.FastAutoGenerator;
import com.baomidou.mybatisplus.generator.config.OutputFile;
import com.baomidou.mybatisplus.generator.fill.Column;

import java.util.Arrays;
import java.util.Collections;
import java.util.List;
public class MP {
    public static void main(String[] args) {
        FastAutoGenerator.create("jdbc:mysql:///test01","root","root")
                // 全局配置
                .globalConfig((scanner, builder) -> builder
                        .author("hp")
                        .outputDir("D:\\Idea-web-vue2\\v2demo03\\web\\src\\main\\java\\")
                )
                // 包配置
                .packageConfig(
                        (scanner, builder) ->
                                builder
                                        .parent("com.web")
                                        .pathInfo(Collections.singletonMap(OutputFile.xml, "D:\\Idea-web-vue2\\v2demo03\\web\\src\\main\\resources\\mapper")))
                // 策略配置
                .strategyConfig((scanner, builder) -> builder.addInclude(getTables(scanner.apply("请输入表名,多个英文逗号分隔?所有输入 all")))
                        .controllerBuilder().enableRestStyle().enableHyphenStyle()
                        .entityBuilder().enableLombok().addTableFills(
                                new Column("create_time", FieldFill.INSERT)
                        ).build())
                /*
                    模板引擎配置,默认 Velocity 可选模板引擎 Beetl 或 Freemarker
                   .templateEngine(new BeetlTemplateEngine())
                   .templateEngine(new FreemarkerTemplateEngine())
                 */
                .execute();


// 处理 all 情况

    }

    protected static List<String> getTables(String tables) {
        return "all".equals(tables) ? Collections.emptyList() : Arrays.asList(tables.split(","));
    }
}
EmpMapper
public interface EmpMapper extends BaseMapper<Emp> {
    Page getAllsPage(Page page, Emp emp, Dept dept);

    @Select("select * from emp where ename = #{ename}")
    Integer getListByName(String ename);
    @Select("update emp set delid=#{delid} where id=#{id} ")
    Integer upDid(Integer delid,Integer id);
}
EmpMapper.xml
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE mapper PUBLIC "-//mybatis.org//DTD Mapper 3.0//EN" "http://mybatis.org/dtd/mybatis-3-mapper.dtd">
<mapper namespace="com.web.mapper.EmpMapper">
    <resultMap id="result01" type="Emp" autoMapping="true">
        <id property="id" column="id"/>
        <association property="dept" column="deptno" javaType="Dept" autoMapping="true">
            <id property="deptno" column="deptno"/>
        </association>
    </resultMap>
    <select id="getAllsPage" resultMap="result01">
        select e.id,e.ename,e.birthday,e.hobby,e.sex,e.address,e.deptno,e.delid,d.deptno,d.dname
        from emp e,dept d
        <where>
            e.deptno = d.deptno
        <if test="emp.ename != null and emp.ename != ''">
            and e.ename like concat ('%',#{emp.ename},'%')
        </if>
        <if test="dept.deptno != null and dept.deptno != ''">
            and d.deptno = #{dept.deptno}
        </if>
        </where>
        order by e.id desc
    </select>
</mapper>
IEmpService
public interface IEmpService extends IService<Emp> {
    Page getAllPage(PageUtil pageUtil, Emp emp, Dept dept);

    Integer getListByName(String ename);
    Integer upDid(Integer delid,Integer id);
}
EmpServiceImpl
@Service
public class EmpServiceImpl extends ServiceImpl<EmpMapper, Emp> implements IEmpService {
    @Resource
    EmpMapper em;

    @Override
    public Page getAllPage(PageUtil pageUtil, Emp emp, Dept dept) {
        Page page = new Page(pageUtil.getPageIndex(),pageUtil.getPageSize());
        return em.getAllsPage(page, emp, dept);
    }

    @Override
    public Integer getListByName(String ename) {
        return em.getListByName(ename);
    }

    @Override
    public Integer upDid(Integer delid, Integer id) {
        return em.upDid(delid, id);
    }
}
EmpController
@RestController
@RequestMapping("/emp")
@Api(tags = "员工信息")
public class EmpController {
    @Resource
    IEmpService ies;

    @GetMapping("/page")
    @ApiOperation("查询员工全部信息并分页")
    @ApiImplicitParams(value = {
            @ApiImplicitParam(value = "页数页码",name = "pageUtil",paramType = "query"),
            @ApiImplicitParam(value = "员工姓名模糊查对象",name = "emp",paramType = "query"),
            @ApiImplicitParam(value = "部门名称模糊查对象",name = "dept",paramType = "query")
    })
    public ResuUtil getAllPage(PageUtil pageUtil, Emp emp, Dept dept) {
        System.out.println(emp);
        System.out.println(dept);
        return ResuUtil.success(ies.getAllPage(pageUtil,emp,dept));
    }
    @PostMapping("addOne")
    @ApiOperation("添加员工")
    @ApiImplicitParam(value = "员工信息",name = "emp",paramType = "body")
    public ResuUtil addEmp(@RequestBody Emp emp) {return ResuUtil.success(ies.saveOrUpdate(emp));}
    @GetMapping("/ename")
    @ApiOperation("判断重名")
    @ApiImplicitParam(value = "员工姓名",name = "ename",paramType = "query")
    public ResuUtil enameXX(String ename) {
        return ResuUtil.success(ies.getListByName(ename));
    }
    @PutMapping("/delid/{delid}/{id}")
    @ApiOperation("逻辑删除")
    public ResuUtil upDid(@PathVariable Integer delid,@PathVariable Integer id) {
        return ResuUtil.success(ies.upDid(delid, id));
    }
}
DeptController
@RestController
@RequestMapping("/dept")
@Api(tags = "部门信息")
public class DeptController {
    @Resource
    IDeptService ids;
    @GetMapping()
    @ApiOperation("部门数据")
    public ResuUtil getAll() {return ResuUtil.success(ids.list());}

}

前端

分页组件

<template>
  <el-pagination
      @size-change="handleSizeChange"
      @current-change="handleCurrentChange"
      :current-page="this.page.pageIndex"
      :page-sizes="[3, 5, 7, 9]"
      :page-size="this.page.pageSize"
      layout="total, sizes, prev, pager, next, jumper"
      :total="this.list.total">
  </el-pagination>
</template>

<script>
export default {
  name: "PageComponent",
  props: ['page','list'],
  methods: {
    handleSizeChange(val) {
      this.$emit("getPage",{p:this.page.pageIndex,s:val})
    },
    handleCurrentChange(val) {
      this.$emit("getPage",{p:val,s:this.page.pageSize})
    },
  }
}
</script>

<style scoped>

</style>

HomeView

<template>
  <div>
    <el-button type="primary" size="mini" @click="add" style="float: left">新增</el-button>
    <el-input style="width: 160px" v-model="emp.ename" placeholder="请输入员工姓名" clearable></el-input>
    <el-select v-model="dept.deptno" placeholder="请选择员工部门" clearable>
      <el-option v-for="i in this.deptList" :label="i.dname" :value="i.deptno"></el-option>
    </el-select>
    <el-button icon="el-icon-search" @click="init" circle></el-button>
    <el-table
        :data="empList.records"
        border
        style="width: 100%">
      <el-table-column type="index" :index="index" label="ID"></el-table-column>
      <el-table-column
          prop="id"
          label="员工编号"/>
      <el-table-column
          prop="ename"
          label="员工姓名"/>
      <el-table-column
          prop="birthday"
          label="出生日期"/>
      <el-table-column
          prop="hobby"
          label="爱好"/>
      <el-table-column
          prop="sex"
          label="性别"/>
      <el-table-column
          prop="address"
          label="住址"/>
      <el-table-column
          prop="dept.dname"
          label="部门"/>
      <el-table-column
          fixed="right"
          label="操作"
          width="100">
        <template slot-scope="scope">
          <el-switch
              v-model="scope.row.delid"
              active-color="#13ce66"
              inactive-color="#ff4949"
              :active-value="0"
              :inactive-value="1"
              @change="switchCh(scope.row)"
          >
          </el-switch>
          <el-button @click="edit(scope.row)" type="text" size="small" v-show="scope.row.delid === 0">修改</el-button>
        </template>
      </el-table-column>
    </el-table>
    <el-dialog :visible.sync="dialogFormVisible">
      <el-form :model="form" ref="form" :rules="rules">
        <!--        <el-form-item label="员工ID" prop="id">-->
        <!--          <el-input v-model="form.id"/>-->
        <!--        </el-form-item>-->
        <el-form-item label="员工姓名" prop="ename">
          <el-input v-model="form.ename"/>
        </el-form-item>
        <el-form-item label="出生日期" prop="birthday">
          <el-date-picker
              type="date"
              placeholder="选择日期"
              v-model="form.birthday"
              :picker-options="pickerTime"
              style="width: 100%;"/>
        </el-form-item>
        <el-form-item label="爱好" prop="hobby">
          <el-checkbox-group v-model="form.hobby">
            <el-checkbox label="吃饭"/>
            <el-checkbox label="睡觉"/>
            <el-checkbox label="音乐"/>
            <el-checkbox label="篮球"/>
          </el-checkbox-group>
        </el-form-item>
        <el-form-item label="性别" prop="sex">
          <el-radio-group v-model="form.sex">
            <el-radio label="男"/>
            <el-radio label="女"/>
          </el-radio-group>
        </el-form-item>
        <el-form-item label="住址" prop="address">
          <el-cascader
              v-model="form.address"
              :options="options"
              @change="handleChange"
              clearable
          />
        </el-form-item>
        <el-form-item label="部门" prop="deptno">
          <el-select v-model="form.deptno" placeholder="请选择部门" clearable>
            <el-option v-for="i in this.deptList" :label="i.dname" :value="i.deptno"></el-option>
          </el-select>
        </el-form-item>
      </el-form>
      <div slot="footer" class="dialog-footer">
        <el-button @click="dialogFormVisible = false">取 消</el-button>
        <el-button type="primary" @click="submitForm">确 定</el-button>
      </div>
    </el-dialog>
    <my-page :page="pageUtil" :list="empList" @getPage="getPage"></my-page>
  </div>
</template>

<script>

export default {
  name: "HomeView",
  data() {
    return {
      pickerTime: {
        disabledDate(time) {
          return time.getTime() > (Date.now() - 567648000000)
        }
      },
      empList: [],
      deptList: [],
      dialogFormVisible: false,
      pageUtil: {
        pageIndex: 1,
        pageSize: 3,
      },
      emp: {},
      dept: {},
      form: {
        id: '',
        ename: '',
        birthday: '',
        hobby: [],
        sex: [],
        address: [],
        deptno: ''
      },
      rules: {
        ename: [
          {required: true, message: '请输入姓名', trigger: 'blur'},
          {min: 2, max: 8, message: '长度在 2 到 5 个字符', trigger: 'blur'}
        ],
        birthday: [
          {required: true, message: '请输入出生日期', trigger: 'blur'},
        ],
        sex: [
          {required: true, message: '请输入性别', trigger: 'array'},
        ],
        address: [
          {required: true, message: '请选择住址', trigger: 'array'},
        ],
        deptno: [
          {required: true, message: '请选择部门', trigger: 'blur'},
        ]
      },
      options: [
        {
          value: '河北省',
          label: '河北省',
          children: [{
            value: '石家庄市',
            label: '石家庄市',
            children: [{
              value: '长安区',
              label: '长安区'
            }, {
              value: '桥东区',
              label: '桥东区'
            }, {
              value: '桥西区',
              label: '桥西区'
            }, {
              value: '新华区',
              label: '新华区'
            }]
          },
            {
              value: '唐山市',
              label: '唐山市',
              children: [{
                value: '路南区',
                label: '路南区'
              }, {
                value: '路北区',
                label: '路北区'
              }, {
                value: '古冶区',
                label: '古冶区'
              }, {
                value: '开平区',
                label: '开平区'
              }]
            },
            {
              value: '秦皇岛市',
              label: '秦皇岛市',
              children: [{
                value: '海港区',
                label: '海港区'
              }, {
                value: '山海关区',
                label: '山海关区'
              }, {
                value: '抚宁县',
                label: '抚宁县'
              }, {
                value: '复兴区',
                label: '复兴区'
              }]
            },
            {
              value: '邯郸市',
              label: '邯郸市',
              children: [{
                value: '广平县',
                label: '广平县'
              }, {
                value: '馆陶县',
                label: '馆陶县'
              }, {
                value: '魏县',
                label: '魏县'
              }, {
                value: '曲周县',
                label: '曲周县'
              }]
            }
          ],
        },
        {
          value: '辽宁省',
          label: '辽宁省',
          children: [{
            value: '沈阳市',
            label: '沈阳市',
            children: [{
              value: '和平区',
              label: '和平区'
            }, {
              value: '沈河区',
              label: '沈河区'
            }, {
              value: '大东区',
              label: '大东区'
            }, {
              value: '皇姑区',
              label: '皇姑区'
            }]
          },
            {
              value: '大连市',
              label: '大连市',
              children: [{
                value: '中山区',
                label: '中山区'
              }, {
                value: '西岗区',
                label: '西岗区'
              }, {
                value: '沙河口区',
                label: '沙河口区'
              }, {
                value: '金州区',
                label: '金州区'
              }]
            },
            {
              value: '抚顺市',
              label: '抚顺市',
              children: [{
                value: '新抚区',
                label: '新抚区'
              }, {
                value: '露天区',
                label: '露天区'
              }, {
                value: '顺城区',
                label: '顺城区'
              }, {
                value: '抚顺县',
                label: '抚顺县'
              }]
            },
            {
              value: '辽阳市',
              label: '辽阳市',
              children: [{
                value: '白塔区',
                label: '白塔区'
              }, {
                value: '文圣区',
                label: '文圣区'
              }, {
                value: '宏伟区',
                label: '宏伟区'
              }, {
                value: '辽阳县',
                label: '辽阳县'
              }]
            }
          ],
        },
        {
          value: '河南省',
          label: '河南省',
          children: [{
            value: '郑州市',
            label: '郑州市',
            children: [{
              value: '中原区',
              label: '中原区'
            }, {
              value: '二七区',
              label: '二七区'
            }, {
              value: '金水区',
              label: '金水区'
            }, {
              value: '中牟县',
              label: '中牟县'
            }]
          },
            {
              value: '开封市',
              label: '开封市',
              children: [{
                value: '龙亭区',
                label: '龙亭区'
              }, {
                value: '顺河回族区',
                label: '顺河回族区'
              }, {
                value: '鼓楼区',
                label: '鼓楼区'
              }, {
                value: '南关区',
                label: '南关区'
              }]
            },
            {
              value: '洛阳市',
              label: '洛阳市',
              children: [{
                value: '老城区',
                label: '老城区'
              }, {
                value: '西工区',
                label: '西工区'
              }, {
                value: '涧西区',
                label: '涧西区'
              }, {
                value: '郊区',
                label: '郊区'
              }]
            },
            {
              value: '南阳市',
              label: '南阳市',
              children: [{
                value: '宛城区',
                label: '宛城区'
              }, {
                value: '南召县',
                label: '南召县'
              }, {
                value: '方城县',
                label: '方城县'
              }, {
                value: '西峡县',
                label: '西峡县'
              }]
            }
          ],
        },
      ],
    }
  },
  methods: {
    switchCh(r) {
      const a = 0;
      const b = 1;
      if(r.delid === 0) {
        this.$confirm('此操作将永久删除该员工, 是否继续?', '提示', {
          confirmButtonText: '确定',
          cancelButtonText: '取消',
          type: 'warning'
        }).then(() => {
          this.$axios.put(`/emp/delid/${b}/${r.id}`);
          this.$message.success("删除成功");
        }).catch(() => {
          this.$message.info("已取消删除")
          r.delid = 0
        });
      }
      this.$confirm('此操作将恢复该员工, 是否继续?', '提示', {
        confirmButtonText: '确定',
        cancelButtonText: '取消',
        type: 'warning'
      }).then(() => {
          this.$axios.put(`/emp/delid/${a}/${r.id}`);
          this.$message.success("恢复成功");
      }).catch(() => {
        this.$message.info("已取消恢复")
        r.delid = 1
      });
    },
    submitForm() {
      this.$refs.form.validate(async (valid) => {
        if (valid) {
          const nu = await this.$axios.get(`/emp/ename?ename=${this.form.ename}`)
          console.log(nu)
          if (nu === null) {
            this.form.hobby = this.form.hobby.toString()
            this.form.address = this.form.address.toString()
            await this.$axios.post('/emp/addOne', this.form);
            await this.init();
            this.$message.success("添加成功")
            this.dialogFormVisible = false;
          }
          if (nu === 1) {
            this.$message.error("重名了请更改名字")
          }
        } else {
          this.$message.error("请检查填完了吗")
          return false;
        }
      });
    },
    handleChange(value) {
      console.log(value);
    },
    index(i) {
      return this.pageUtil.pageIndex * this.pageUtil.pageSize - this.pageUtil.pageSize + 1 + i
    },
    add() {
      this.form.id = '';
      this.form.ename = '';
      this.form.birthday = '';
      this.form.hobby = [];
      this.form.sex = [];
      this.form.address = [];
      this.form.deptno = '';
      this.dialogFormVisible = true
    },
    edit(row) {
      console.log(row);
    },
    getPage(page) {
      this.pageUtil.pageIndex = page.p;
      this.pageUtil.pageSize = page.s;
      this.init();
    },
    async init() {
      let params = {...this.pageUtil, ...this.emp, ...this.dept}
      this.empList = await this.$axios.get('/emp/page', {params: params})
    },
    async getDept() {
      this.deptList = await this.$axios.get('/dept');
    }
  },
  mounted() {
    this.init();
  },
  created() {
    this.getDept();
  }
}
</script>

<style scoped>
* {
  margin: 0;
  padding: 0;
}
</style>

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/1183420.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

Ubuntu20.0工作区(workspace)介绍,切换工作区方式和快捷键

Ubuntu20.0工作区&#xff08;workspace&#xff09;介绍&#xff0c;切换工作区方式和快捷键 先修改一下ubuntu截屏的快捷键查看工作区新建工作区工作区切换 先修改一下ubuntu截屏的快捷键 修改为 查看工作区 按下Super键&#xff08;即Windows键&#xff09;&#xff0c;可…

sql学习笔记(三)

目录 1.四舍五入 2.向上取整 3.向下取整 4.Hive 分区 5.case when条件语句 6.日期函数 7.字符串函数 8.窗口函数 1️⃣排序函数 1.四舍五入 round select round(3.14) —>3 2.向上取整 ceiling select ceiling(12.15) —>13 3.向下取整 floor select flo…

【网络协议】

网络协议 1 网络通讯1.1 防火墙1.2 子网掩码1.3 网关1.4 2 SSH2.1 SSH2.2 SSH12.3 SSH2 3 Telnet4 Telnet/SSL5 NFS6 TFTP7 FTP8 SFTP9 HTTP10 HTTPS11 NAT12 加密 1 网络通讯 1.1 防火墙 所谓“防火墙”&#xff0c;是指一种将内部网和公众访问网(如Internet)分开的方法&…

spring中纯注解实现Advice

背景&#xff1a;课本上是注解和Xml文件混用的方式&#xff0c;研究了一下用配置类加注解和测试方法实现各种通知方式的切入。 1.首先dao的接口&#xff0c;增删改查 public interface UserDaoAspect {public void add();public void delete();public void update();public vo…

【K-means聚类算法】实现鸢尾花聚类

文章目录 前言一、数据集介绍二、使用步骤1.导包1.2加载数据集1.3绘制二维数据分布图1.4实例化K-means类&#xff0c;并且定义训练函数1.5训练1.6可视化展示2.聚类算法2.1.可视化生成3其他聚类算法进行鸢尾花分类 前言 例如&#xff1a;随着人工智能的不断发展&#xff0c;机器…

Vue 3 相对于 Vue2,模板和组件的一些变化

目录 1&#xff0c;模板的变化1&#xff0c;v-modelvue2vue3 2&#xff0c;v-if 和 v-for3&#xff0c;keyv-forv-if 4&#xff0c;Fragment 2&#xff0c;组件的变化1&#xff0c;Teleport2&#xff0c;异步组件 1&#xff0c;模板的变化 1&#xff0c;v-model vue2 对组件…

c语言初学者用vs还是vscode?

c语言初学者用vs还是vscode? 看是科班还是自学&#xff0c;一般学校会有要求的编译软件&#xff0c;在这两者之间&#xff0c;用VS的居多&#xff0c;一个可能的原因是VS不用自己装环境。 最近很多小伙伴找我&#xff0c;说想要一些 c语言的资料&#xff0c;然后我根据自己从…

Rust核心功能之一(所有权)

目录 1、什么是所有权&#xff1f; 1.1 所有权规则 1.2 变量作用域 1.3 String 类型 1.4 内存与分配 变量与数据交互的方式&#xff08;一&#xff09;&#xff1a;移动 变量与数据交互的方式&#xff08;二&#xff09;&#xff1a;克隆 只在栈上的数据&#xff1a;拷贝…

【C++20】模块

模块 C语言从一开始便继承了C语言的include头文件机制&#xff0c;通过包含头文件的方式来引用其他组件的代码&#xff0c;这些头文件通常包含了该组件相关的接口声明。但使用头文件通常伴有如下问题&#xff1a; 不够清晰不够清晰同名符号覆盖问题 C20提供了模块特性&#…

本地生活新赛道-视频号团购怎么做?

目前有在做实体行业的商家一定要看完&#xff0c;只要你进入了这个本地生活新的赛道&#xff0c;那你的生意自然会源源不断&#xff0c;那这个赛道又是什么呢&#xff1f; 这就是十月份刚刚上线的视频号团购项目&#xff0c;开通团购之后&#xff0c;就可以通过发短视频&#…

排序:堆排序(未完待续)

文章目录 排序一、 排序的概念1.排序&#xff1a;2.稳定性&#xff1a;3.内部排序&#xff1a;4.外部排序&#xff1a; 二、插入排序1.直接插入排序 二、插入排序堆排序 排序 一、 排序的概念 1.排序&#xff1a; 一组数据按递增/递减排序 2.稳定性&#xff1a; 待排序的序列…

postman中文乱码

在header中添加这两个&#xff1a; Content-Type application/json;charsetUTF-8 Accept application/json;charsetUTF-8

『昆仑天工』4款AI产品开源!提供API对接!

在文章开篇&#xff0c;小圈先介绍下 昆仑万维 公司旗下的AI大模型**『天工』**&#xff0c;它是由昆仑万维自研的双千亿级大语言模型&#xff0c; 也是国内首个对标ChatGPT的双千亿级大语言模型&#xff0c;可满足文案创作、知识问答、代码编程、逻辑推演、数理推算等需求。 …

自制宏正(ATEN)KVM CS1708i固件升级线

因为宏正 CS1708i KVM年代相对久远&#xff0c;最近通过Web进行远程管理时发现页面不支持最新的EDGE浏览器&#xff0c;官方有较新的固件&#xff0c;但是需要专用的RJ11接头的升级串口线才能进行升级。网上目前无法买到&#xff0c;在网上找到对应的资料&#xff0c;用RJ11 4P…

ansible第一天

ansible 第一天 以上主机使用rhel-8.2-x86_64-dvd.iso镜像&#xff0c;配置ip、yum源&#xff0c;关闭防火墙和selinux规则 安装中文包&#xff0c;重启生效 [rootcontrol ~]# yum -y install langpacks-zh_CN.noarch && reboot 配置名称解析 [rootcontrol ~]# echo…

拓展企业客户群:如何使用企业联系方式查询API帮助在社交媒体上寻找潜在客户

前言 在当今竞争激烈的商业环境中&#xff0c;拓展企业客户群已经成为许多企业的首要任务之一。在这种情况下&#xff0c;使用企业联系方式查询API可以帮助企业在社交媒体上寻找潜在客户。本文将探讨如何使用企业联系方式查询API拓展企业客户群。 企业联系方式查询API简介 首…

linux rsyslog介绍

Rsyslog网址&#xff1a;https://www.rsyslog.com/ Rsyslog is the rocket-fast system for log processing. It offers high-performance, great security features and a modular design. While it started as a regular syslogd, rsyslog has evolved into a kind of swis…

【物联网】继续深入探索ADC模拟转数字的原理——Flash ADC流水线ADC逐次逼近型SAR ADC

这篇文章主要弥补上一篇关于ADC的不足&#xff0c;更加深入了解ADC数模转换器的工作原理&#xff0c;举例常见的三种ADC&#xff0c;分别为Flash ADC&流水线ADC&逐次逼近型SAR ADC。 【物联网】深入了解AD/DA转换技术&#xff1a;模数转换和数模转换 文章目录 一、模拟…

休眠和睡眠有哪些区别?如何让电脑一键休眠?

电脑中有休眠和睡眠&#xff0c;那么它们有什么区别呢&#xff1f;下面我们就通过本文来了解一下。 休眠和睡眠的区别 电脑在睡眠状态时&#xff0c;会切断内存之外的设备电源&#xff0c;电脑会进入睡眠状态&#xff0c;当再次唤醒电脑后&#xff0c;不会影响睡眠前保存好的工…

Git中的 fork, clone,branch

一、是什么 fork fork&#xff0c;英语翻译过来就是叉子&#xff0c;动词形式则是分叉&#xff0c;如下图&#xff0c;从左到右&#xff0c;一条直线变成多条直线 转到git仓库中&#xff0c;fork则可以代表分叉、克隆 出一个&#xff08;仓库的&#xff09;新拷贝 包含了原来…