(四)spring boot + jpa + mysql 后台管理系统

上篇文章:https://www.jianshu.com/p/f062c9ff7b48
这一篇主要是完成spring boot 与 mysql的连接,并使用jpa,来完成一个后台管理系统的增删改查功能。
先来看最后的效果图:

后台管理系统.png

前后台分离后,每个人的习惯也不一样,有的喜欢从前台开始写,有的喜欢从后台开始写,而我习惯从后往前写。
我们先来看后端代码结构:
代码结构

pom.xml

<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 http://maven.apache.org/xsd/maven-4.0.0.xsd">
    <modelVersion>4.0.0</modelVersion>

    <groupId>demo.ptt</groupId>
    <artifactId>springDemo</artifactId>
    <version>0.0.1-SNAPSHOT</version>
    <packaging>jar</packaging>

    <name>springDemo</name>
    <url>http://maven.apache.org</url>

    <properties>
        <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
        <java.version>1.8</java.version>
    </properties>

    <parent>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>1.5.4.RELEASE</version>
    </parent>

    <dependencies>
        <!-- test -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
            <scope>test</scope>
        </dependency>
        <!-- thymeleaf模版 -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-thymeleaf</artifactId>
        </dependency>
        <!-- 热部署 -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-devtools</artifactId>
            <optional>true</optional>
        </dependency>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-data-jpa</artifactId>
        </dependency>
        <dependency>
            <groupId>mysql</groupId>
            <artifactId>mysql-connector-java</artifactId>
        </dependency>
        <dependency>
            <groupId>commons-dbcp</groupId>
            <artifactId>commons-dbcp</artifactId>
        </dependency>
    </dependencies>

    <build>
        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
            </plugin>
        </plugins>
    </build>
</project>

重新创建一个控制器:ContractController,增删改查都在这里面。
ContractController.java

package demo.ptt.console.controllers;

import java.util.List;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.ResponseBody;
import org.springframework.web.bind.annotation.RestController;

import demo.ptt.console.dto.ExecuteResult;
import demo.ptt.console.po.Contract;
import demo.ptt.console.services.ContractServer;

@RestController
@RequestMapping("contract")
public class ContractController {

    @Autowired
    private ContractServer server;

    @PostMapping("save")
    public ExecuteResult<?> save(@RequestBody Contract param) {
        return server.save(param);
    }

    @PostMapping("findAll")
    public @ResponseBody List<Contract> findAll() {
        return server.findAll();
    }

    @GetMapping("remove/{id}")
    public ExecuteResult<?> remove(@PathVariable String id) {
        return server.remove(id);
    }

}

其中控制器中用到了一个封装类
ExecuteResult.java
package demo.ptt.console.dto;

import java.io.Serializable;

public final class ExecuteResult<T> implements Serializable {

/**
 * 
 */
private static final long serialVersionUID = -4467073382353735654L;

/**
 * 执行成功
 */
private boolean success;

private T value;

/**
 * 错误码
 */
private int errorCode;

/**
 * 错误信息
 */
private String message;

public boolean isSuccess() {
    return success;
}

public T getValue() {
    return value;
}

public void setValue(T value) {
    this.value = value;
}

public int getErrorCode() {
    return errorCode;
}

public String getMessage() {
    return message;
}

private ExecuteResult() {

}

public static <T> ExecuteResult<T> ok() {
    ExecuteResult<T> result = new ExecuteResult<>();
    result.errorCode = 0;
    result.success = true;
    return result;
}

public static <T> ExecuteResult<T> ok(T value) {
    ExecuteResult<T> result = new ExecuteResult<T>();
    result.errorCode = 0;
    result.success = true;
    result.value = value;
    return result;
}

public static <T> ExecuteResult<T> fail(String message) {
    ExecuteResult<T> result = new ExecuteResult<>();
    result.errorCode = -1;
    result.success = false;
    result.message = message;
    return result;
}

public static <T> ExecuteResult<T> fail(int errorCode) {
    ExecuteResult<T> result = new ExecuteResult<>();
    result.errorCode = errorCode;
    result.success = false;
    return result;
}

public static <T> ExecuteResult<T> fail(int errorCode, String message) {
    ExecuteResult<T> result = new ExecuteResult<>();
    result.errorCode = errorCode;
    result.success = false;
    result.message = message;
    return result;
}

}
它可以返回我们的处理状态,在前端显示。
ContractServer.java

package demo.ptt.console.services;

import java.util.List;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.util.StringUtils;
import org.springframework.web.bind.annotation.ResponseBody;

import demo.ptt.console.dto.ExecuteResult;
import demo.ptt.console.po.Contract;
import demo.ptt.console.repository.ContractRepository;

@Service
public class ContractServer {

    @Autowired
    private ContractRepository repository;

    public ExecuteResult<?> save(Contract param) {
        if (param == null) {
            return ExecuteResult.fail("参数为空");
        }
        repository.save(param);
        return ExecuteResult.ok();
    }

    public @ResponseBody List<Contract> findAll() {
        return repository.findAll();
    }
    
    public ExecuteResult<?> remove(String id) {
        if (StringUtils.isEmpty(id)) {
            return ExecuteResult.fail("参数为空");
        }
        Contract entity = repository.findOne(id);
        if (entity != null) {
            repository.delete(id);;
        }
        return ExecuteResult.ok();
    }

}

ContractRepository.java

package demo.ptt.console.repository;

import org.springframework.data.jpa.repository.JpaRepository;

import demo.ptt.console.po.Contract;

public interface ContractRepository extends JpaRepository<Contract, String> {

}

Contract.java

package demo.ptt.console.po;

import javax.persistence.Column;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.Id;
import javax.persistence.Table;

import org.hibernate.annotations.GenericGenerator;

@Entity
@Table(name = "t_contract")
public class Contract {
    
    @Id
    @GeneratedValue(generator = "uuid")
    @GenericGenerator(name = "uuid", strategy = "uuid2")
    @Column(name = "contract_id", length = 36)
    public String id;
    
    /**
     * 姓名
     */
    @Column(name = "name", length = 50)
    public String name;
    
    /**
     * 姓别
     */
    @Column(name = "sex", length = 50)
    public String sex;
    
    /**
     * 手机号
     */
    @Column(name = "phone", length = 50)
    public String phone;
    
    /**
     * 身份证号
     */
    @Column(name = "id_card", length = 50)
    public String idCard;
    
    /**
     * 住址
     */
    @Column(name = "address", length = 50)
    public String address;
    
    /**
     * 省略 get  set
     */

}

除了这些以外,我们还需要添加配置:
application.properties

server.port=18062  
spring.profiles.active=dev

spring.datasource.initialize=false
spring.datasource.url=jdbc:mysql://localhost:3306/www
spring.datasource.username=root
spring.datasource.password=
spring.datasource.driver-class-name=com.mysql.jdbc.Driver

spring.jpa.show-sql=true
spring.jpa.hibernate.ddl-auto=update

其中:

spring.datasource.initialize=false
spring.datasource.url=jdbc:mysql://localhost:3306/www
spring.datasource.username=root
spring.datasource.password=
spring.datasource.driver-class-name=com.mysql.jdbc.Driver

是连接数据库的配置,我们需要在本地数据库创建www这个数据库,当然,名字数据库的名字可以任意起,不过一定要对应上。

spring.jpa.show-sql=true
spring.jpa.hibernate.ddl-auto=update

这两句是省去我们建表的麻烦,建好数据库后,启动后台代码,这两行配置就会自动在数据库中创建表,前提是我们必须把实体类Contract已经写好了。

现在我们来看前端代码结构:


前端代码结构.png

index.js

import Vue from 'vue'
import Router from 'vue-router'

import Dashboard from '@/components/Dashboard'
import Main from '@/components/Main'



Vue.use(Router)

let routes = [{
    path:'/',
    component: Main,
    hidden: true,
    children: [{
        path: '/',
        component:Dashboard,
        name:'首页'
    }]
}]

import {
    SystemRouter
} from './system'

for (let i in SystemRouter){
    routes.push(SystemRouter[i])
}

const router = new Router({
    routes: routes
})

export default router;

system.js

import Main from '@/components/Main'
import Contract from '@/components/system/Contract'

const SystemRouter = [{
    path: '/system',
    name: '系统中心',
    component: Main,
    iconCls: 'fa fa-address-card',
    children: [{
        path: '/system/contract',
        component: Contract,
        name: '联系人管理'
    }]
}]

export {
    SystemRouter
}

componments/system/Contract.vue

<template>
    <section>
        <el-col :span="24" class="toolbar" style="padding-bottom: 0px; height: 100px;">
            <el-button size="mini" @click="save">添加联系人</el-button>
        </el-col>

        <el-table :data="rows" highlight-current-row stripe border v-loading="listLoading" style="width: 100%;">
            <el-table-column prop="name" :show-overflow-tooltip="true" label="姓名" min-width="110" sortable="sortable" />
            <el-table-column prop="sex" :show-overflow-tooltip="true" label="性别" min-width="170" sortable="sortable" />
            <el-table-column prop="phone" :show-overflow-tooltip="true" label="手机号" min-width="170" sortable="sortable" />
            <el-table-column prop="idCard" :show-overflow-tooltip="true" label="身份证号" min-width="170" sortable="sortable" />
            <el-table-column prop="address" :show-overflow-tooltip="true" label="住址" min-width="170" sortable="sortable" />
            <el-table-column label="操作" width="180" align="center" fixed="right">
                <template slot-scope="scope">
                    <el-button size="small" @click="edit(scope.row)">修改</el-button>
                    <el-button size="small" type="danger" @click="remove(scope.row)">删除</el-button>
                </template>
            </el-table-column>
        </el-table>

        <el-dialog :title="title" width="80%" :visible.sync="formVisible" :close-on-click-modal="false">
            <el-form :model="form" label-width="120px" ref="form">
                <el-form-item label="姓名">
                    <el-input v-model="form.name" auto-complete="off" />
                </el-form-item>
                <el-form-item label="姓别">
                    <el-input v-model="form.sex" auto-complete="off" />
                </el-form-item>
                <el-form-item label="手机号">
                    <el-input v-model="form.phone" auto-complete="off" />
                </el-form-item>
                <el-form-item label="身份证号">
                    <el-input v-model="form.idCard" auto-complete="off" />
                </el-form-item>
                <el-form-item label="住址">
                    <el-input v-model="form.address" auto-complete="off" />
                </el-form-item>
            </el-form>
            <div slot="footer" class="dialog-footer">
                <el-button @click.native="formVisible = false">取消</el-button>
                <el-button type="success" @click="submit" :loading="loading">通过</el-button>
            </div>
        </el-dialog>
    </section>
</template>
<script>
    import {
        Save,
        GetAll,
        Remove
    } from '@/api/main/contract'

    let data = () => {
        return {
            formVisible: false,
            loading: false,
            form: {},
            rows: [],
            listLoading: false,
            title: ''
        }
    }

    let save = function() {
        this.title = "添加联系人";
        this.formVisible = true
        this.loading = false
        this.form = {}
        this.getRows()
    }

    let submit = function() {
        Save(this.form).catch(() => this.listLoading = false).then(res => {
            this.formVisible = false
            if(!res.data.success) {
                this.$message({
                    type: 'error',
                    message: res.data.message
                })
                return
            }
            this.$message({
                type: 'success',
                message: '添加成功!'
            })
            this.getRows()
        })
    }

    let getRows = function() {
        this.listLoading = true
        GetAll().then(res => {
            this.rows = res.data
            this.listLoading = false
        })
    }

    let edit = function(row) {
        this.formVisible = true;
        this.title = "编辑";
        this.form = Object.assign({}, row);
    }

    let remove = function(row) {
        this.$confirm('此操作将永久删除该数据, 是否继续?', '提示', {
            confirmButtonText: '确定',
            cancelButtonText: '取消',
            type: 'warning'
        }).then(() => {
            if(this.listLoading)
                return
            this.listLoading = true
            Remove(row.id).catch(() => this.listLoading = false).then(res => {
                this.listLoading = false
                if(!res.data.success) {
                    this.$message({
                        type: 'error',
                        message: res.data.message
                    })
                    return
                }
                this.$message({
                    type: 'success',
                    message: '删除成功!'
                })
                this.getRows()
            })
        }).catch(() => {});
    }

    export default {
        data: data,
        methods: {
            getRows: getRows,
            save: save,
            submit: submit,
            edit: edit,
            remove: remove
        },
        mounted: function() {
            this.getRows();
        }
    }
</script>
<style>

</style>

api/main/contract.js

import axios from 'axios';

let base = '/api/contract'

export const Save = params => {
  return axios.post(base + '/save', params);
}

export const GetAll = params => {
  return axios.post(base + '/findAll', params);
}

export const Remove = params => {
  return axios.get(base + '/remove/' + params);
}

将前端代码跑起来,整个系统就完成了,可以去试试奥。
我这里写的比较粗,基本的代码讲解都没有,但是都是一些很简单很简单的东西,去了解了解就可以了。前端都是用的现成的组件,不了解的可以去看看Element UI,后端增删改查操作也都是用的JPA提供的简单封装好的方法,不了解的可以去查查。
完整代码克隆地址:https://code.aliyun.com/zouzoutingting/console.git

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,793评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 87,567评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,342评论 0 338
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,825评论 1 277
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,814评论 5 368
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,680评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,033评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,687评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 42,175评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,668评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,775评论 1 332
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,419评论 4 321
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,020评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,978评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,206评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,092评论 2 351
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,510评论 2 343