普通文本公告
1. 创建数据库表 notice
CREATE TABLE `notice` (
`id` int(11) NOT NULL AUTO_INCREMENT,
`name` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '标题',
`content` text COLLATE utf8mb4_unicode_ci COMMENT '内容',
`time` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '发布时间',
`user` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '发布人',
`img` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '封面',
`type` int(1) DEFAULT NULL COMMENT '1-简单的公告,2富文本',
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=11 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
2. 写Java后台的增删改查
Notice.java
package com.example.springboot.entity;
import com.baomidou.mybatisplus.annotation.IdType;
import com.baomidou.mybatisplus.annotation.TableId;
import java.io.Serializable;
import io.swagger.annotations.ApiModel;
import io.swagger.annotations.ApiModelProperty;
import lombok.Getter;
import lombok.Setter;
@Getter
@Setter
@ApiModel(value = "Notice对象", description = "")
public class Notice implements Serializable {
private static final long serialVersionUID = 1L;
@TableId(value = "id", type = IdType.AUTO)
private Integer id;
@ApiModelProperty("标题")
private String name;
@ApiModelProperty("内容")
private String content;
@ApiModelProperty("发布时间")
private String time;
@ApiModelProperty("发布人")
private String user;
@ApiModelProperty("封面")
private String img;
private Integer type;
}
NoticeController.java
package com.example.springboot.controller;
import cn.hutool.core.date.DateUtil;
import cn.hutool.poi.excel.ExcelUtil;
import cn.hutool.poi.excel.ExcelReader;
import cn.hutool.poi.excel.ExcelWriter;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.ServletOutputStream;
import java.net.URLEncoder;
import com.baomidou.mybatisplus.extension.plugins.pagination.Page;
import org.springframework.web.bind.annotation.*;
import javax.annotation.Resource;
import java.io.InputStream;
import java.util.List;
import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
import com.example.springboot.common.Result;
import org.springframework.web.multipart.MultipartFile;
import com.example.springboot.entity.User;
import com.example.springboot.utils.TokenUtils;
import com.example.springboot.service.INoticeService;
import com.example.springboot.entity.Notice;
import org.springframework.web.bind.annotation.RestController;
@RestController
@RequestMapping("/notice")
public class NoticeController {
@Resource
private INoticeService noticeService;
private final String now = DateUtil.now();
@PostMapping
public Result save(@RequestBody Notice notice) {
if (notice.getId() == null) {
notice.setTime(DateUtil.now());
notice.setUser(TokenUtils.getCurrentUser().getNickname());
}
noticeService.saveOrUpdate(notice);
return Result.success();
}
@DeleteMapping("/{id}")
public Result delete(@PathVariable Integer id) {
noticeService.removeById(id);
return Result.success();
}
@PostMapping("/del/batch")
public Result deleteBatch(@RequestBody List<Integer> ids) {
noticeService.removeByIds(ids);
return Result.success();
}
@GetMapping
public Result findAll() {
return Result.success(noticeService.list());
}
@GetMapping("/type/{type}")
public Result findByType(@PathVariable Integer type) {
QueryWrapper<Notice> queryWrapper = new QueryWrapper<>();
queryWrapper.eq("type", type);
return Result.success(noticeService.list(queryWrapper));
}
@GetMapping("/{id}")
public Result findOne(@PathVariable Integer id) {
return Result.success(noticeService.getById(id));
}
@GetMapping("/page")
public Result findPage(@RequestParam(defaultValue = "") String name,
@RequestParam(required = false) Integer type,
@RequestParam Integer pageNum,
@RequestParam Integer pageSize) {
QueryWrapper<Notice> queryWrapper = new QueryWrapper<>();
queryWrapper.orderByDesc("id");
queryWrapper.eq("type", type);
if (!"".equals(name)) {
queryWrapper.like("name", name);
}
return Result.success(noticeService.page(new Page<>(pageNum, pageSize), queryWrapper));
}
@GetMapping("/export")
public void export(HttpServletResponse response) throws Exception {
List<Notice> list = noticeService.list();
ExcelWriter writer = ExcelUtil.getWriter(true);
writer.write(list, true);
response.setContentType("application/vnd.openxmlformats-officedocument.spreadsheetml.sheet;charset=utf-8");
String fileName = URLEncoder.encode("Notice信息表", "UTF-8");
response.setHeader("Content-Disposition", "attachment;filename=" + fileName + ".xlsx");
ServletOutputStream out = response.getOutputStream();
writer.flush(out, true);
out.close();
writer.close();
}
@PostMapping("/import")
public Result imp(MultipartFile file) throws Exception {
InputStream inputStream = file.getInputStream();
ExcelReader reader = ExcelUtil.getReader(inputStream);
List<Notice> list = reader.readAll(Notice.class);
noticeService.saveBatch(list);
return Result.success();
}
private User getUser() {
return TokenUtils.getCurrentUser();
}
}
写前台Vue
<template>
<div style="color: #666;font-size: 14px;">
<div style="padding-bottom: 20px">
<b>您好!{{ user.nickname }}</b>
</div>
<el-card>
欢迎使用本系统
<el-divider />
虎虎生威,虎年大吉
</el-card>
<el-card style="margin: 10px 0">
<div style="padding-bottom: 20px; font-size: 24px">简 单 的 系 统 公 告</div>
<el-collapse accordion v-model="activeNames" v-for="(item, index) in notice">
<el-collapse-item :name="index + ''">
<template slot="title">
<span style="font-size: 20px; color: #E6A23C">{{ item.name }}</span><i style="color: #E6A23C" class="header-icon el-icon-info"></i>
<span style="margin-left: 20px">{{ item.time }}</span>
</template>
<div>
<div style="padding: 10px 0"><el-image :src="item.img"></el-image></div>
<div>{{ item.content }}</div>
</div>
</el-collapse-item>
</el-collapse>
</el-card>
<el-card style="margin: 10px 0">
<div style="padding-bottom: 20px; font-size: 24px">富 文 本 的 系 统 公 告</div>
<el-collapse accordion v-for="(item, index) in noticeRich">
<el-collapse-item :name="index + ''">
<template slot="title">
<span style="font-size: 20px; color: #E6A23C">{{ item.name }}</span><i style="color: #E6A23C" class="header-icon el-icon-info"></i>
<span style="margin-left: 20px">{{ item.time }}</span>
</template>
<div>
<div style="padding: 10px 0"><el-image :src="item.img"></el-image></div>
<div v-html="item.content"></div>
</div>
</el-collapse-item>
</el-collapse>
</el-card>
</div>
</template>
<script>
export default {
name: "Home",
data() {
return {
activeNames: ['0'],
user: localStorage.getItem("user") ? JSON.parse(localStorage.getItem("user")) : {},
notice: [],
noticeRich: [],
}
},
created() {
// 简单公告
this.request.get("/notice/type/1").then(res => {
this.notice = res.data.splice(0, 5)
})
this.request.get("/notice/type/2").then(res => {
this.noticeRich = res.data.splice(0, 5)
})
}
}
</script>
富文本公告
wangeditoe V4: https://www.wangeditor.com/v4/
1. vue安装wangeditor组件:
npm i wangeditor --save
2. 使用
<template>
<div>
<div style="margin: 10px 0">
<el-input style="width: 200px" placeholder="请输入名称" suffix-icon="el-icon-search" v-model="name"></el-input>
<el-button class="ml-5" type="primary" @click="load">搜索</el-button>
<el-button type="warning" @click="reset">重置</el-button>
</div>
<div style="margin: 10px 0">
<el-button type="primary" @click="handleAdd">新增 <i class="el-icon-circle-plus-outline"></i></el-button>
<el-popconfirm
class="ml-5"
confirm-button-text='确定'
cancel-button-text='我再想想'
icon="el-icon-info"
icon-color="red"
title="您确定批量删除这些数据吗?"
@confirm="delBatch"
>
<el-button type="danger" slot="reference">批量删除 <i class="el-icon-remove-outline"></i></el-button>
</el-popconfirm>
</div>
<el-table :data="tableData" border stripe :header-cell-class-name="'headerBg'" @selection-change="handleSelectionChange">
<el-table-column type="selection" width="55"></el-table-column>
<el-table-column prop="id" label="ID" width="80" sortable></el-table-column>
<el-table-column prop="name" label="标题"></el-table-column>
<el-table-column prop="content" label="内容">
<template v-slot="scope">
<el-button type="primary" @click="view(scope.row.content)">查看内容</el-button>
</template>
</el-table-column>
<el-table-column prop="time" label="发布时间"></el-table-column>
<el-table-column prop="user" label="发布人"></el-table-column>
<el-table-column label="图片"><template slot-scope="scope"><el-image style="width: 100px; height: 100px" :src="scope.row.img" :preview-src-list="[scope.row.img]"></el-image></template></el-table-column>
<el-table-column label="操作" width="180" align="center">
<template slot-scope="scope">
<el-button type="success" @click="handleEdit(scope.row)">编辑 <i class="el-icon-edit"></i></el-button>
<el-popconfirm
class="ml-5"
confirm-button-text='确定'
cancel-button-text='我再想想'
icon="el-icon-info"
icon-color="red"
title="您确定删除吗?"
@confirm="del(scope.row.id)"
>
<el-button type="danger" slot="reference">删除 <i class="el-icon-remove-outline"></i></el-button>
</el-popconfirm>
</template>
</el-table-column>
</el-table>
<div style="padding: 10px 0">
<el-pagination
@size-change="handleSizeChange"
@current-change="handleCurrentChange"
:current-page="pageNum"
:page-sizes="[2, 5, 10, 20]"
:page-size="pageSize"
layout="total, sizes, prev, pager, next, jumper"
:total="total">
</el-pagination>
</div>
<el-dialog title="信息" :visible.sync="dialogFormVisible" width="60%" :close-on-click-modal="false">
<el-form label-width="100px" size="small" style="width: 90%">
<el-form-item label="标题">
<el-input v-model="form.name" autocomplete="off"></el-input>
</el-form-item>
<el-form-item label="封面">
<el-upload
class="avatar-uploader"
action="http://localhost:9090/file/upload"
ref="img"
:show-file-list="false"
:on-success="handleImgUploadSuccess">
<img v-if="form.img" :src="form.img" class="avatar">
<i v-else class="el-icon-plus avatar-uploader-icon"></i>
</el-upload>
</el-form-item>
<el-form-item label="内容">
<div id="richText"></div>
</el-form-item>
</el-form>
<div slot="footer" class="dialog-footer">
<el-button @click="dialogFormVisible = false">取 消</el-button>
<el-button type="primary" @click="save">确 定</el-button>
</div>
</el-dialog>
<el-dialog title="内容" :visible.sync="dialogFormVisible1" width="60%" :close-on-click-modal="false">
<el-card>
<div v-html="content"></div>
</el-card>
</el-dialog>
</div>
</template>
<script>
import E from "wangeditor"
let editor;
export default {
name: "Notice",
data() {
return {
tableData: [],
total: 0,
pageNum: 1,
pageSize: 10,
name: "",
form: {},
dialogFormVisible: false,
dialogFormVisible1: false,
content: '',
multipleSelection: [],
user: localStorage.getItem("user") ? JSON.parse(localStorage.getItem("user")) : {}
}
},
created() {
this.load()
},
methods: {
view(content) {
this.content = content
this.dialogFormVisible1 = true
},
load() {
this.request.get("/notice/page", {
params: {
pageNum: this.pageNum,
pageSize: this.pageSize,
name: this.name,
type: 2
}
}).then(res => {
this.tableData = res.data.records
this.total = res.data.total
})
},
save() {
const content = editor.txt.html()
console.log(content)
this.form.content = content
this.form.type = 2
this.request.post("/notice", this.form).then(res => {
if (res.code === '200') {
this.$message.success("保存成功")
this.dialogFormVisible = false
this.load()
} else {
this.$message.error("保存失败")
}
})
},
handleAdd() {
this.dialogFormVisible = true
this.form = {img: ''}
this.$nextTick(() => {
if(!editor) {
editor = new E("#richText")
editor.config.uploadImgServer = 'http://localhost:9090/file/uploadImg'
editor.config.uploadFileName = 'file'
editor.create()
}
editor.txt.html('')
if(this.$refs.img) {
this.$refs.img.clearFiles();
}
if(this.$refs.file) {
this.$refs.file.clearFiles();
}
})
},
handleEdit(row) {
this.form = JSON.parse(JSON.stringify(row))
this.dialogFormVisible = true
this.$nextTick(() => {
if(!editor) {
editor = new E("#richText")
editor.config.uploadImgServer = 'http://localhost:9090/file/uploadImg'
editor.config.uploadFileName = 'file'
editor.create()
}
editor.txt.html(this.form.content)
if(this.$refs.img) {
this.$refs.img.clearFiles();
}
if(this.$refs.file) {
this.$refs.file.clearFiles();
}
})
},
del(id) {
this.request.delete("/notice/" + id).then(res => {
if (res.code === '200') {
this.$message.success("删除成功")
this.load()
} else {
this.$message.error("删除失败")
}
})
},
handleSelectionChange(val) {
console.log(val)
this.multipleSelection = val
},
delBatch() {
if (!this.multipleSelection.length) {
this.$message.error("请选择需要删除的数据")
return
}
let ids = this.multipleSelection.map(v => v.id)
this.request.post("/notice/del/batch", ids).then(res => {
if (res.code === '200') {
this.$message.success("批量删除成功")
this.load()
} else {
this.$message.error("批量删除失败")
}
})
},
reset() {
this.name = ""
this.load()
},
handleSizeChange(pageSize) {
console.log(pageSize)
this.pageSize = pageSize
this.load()
},
handleCurrentChange(pageNum) {
console.log(pageNum)
this.pageNum = pageNum
this.load()
},
handleFileUploadSuccess(res) {
this.form.file = res
},
handleImgUploadSuccess(res) {
this.form.img = res
},
download(url) {
window.open(url)
},
exp() {
window.open("http://localhost:9090/notice/export")
},
handleExcelImportSuccess() {
this.$message.success("导入成功")
this.load()
}
}
}
</script>
<style>
.headerBg {
background: #eee!important;
}
.avatar-uploader .el-upload {
border: 1px dashed #d9d9d9;
border-radius: 6px;
cursor: pointer;
position: relative;
overflow: hidden;
}
.avatar-uploader .el-upload:hover {
border-color: #409EFF;
}
.avatar-uploader-icon {
font-size: 28px;
color: #8c939d;
width: 178px;
height: 178px;
line-height: 178px;
text-align: center;
}
.avatar {
width: 178px;
height: 178px;
display: block;
}
</style>
|