🧑💻作者名称:DaenCode
🎤作者简介:啥技术都喜欢捣鼓捣鼓,喜欢分享技术、经验、生活。
😎人生感悟:尝尽人生百味,方知世间冷暖。
📖所属专栏:SpringBoot实战
系列文章目录
标题 |
---|
一文带你学会使用SpringBoot+Avue实现短信通知功能(含重要文件代码) |
一张思维导图带你学会Springboot创建全局异常、自定义异常 |
一张思维导图带你打通SpringBoot自定义拦截器的思路 |
28个SpringBoot项目中常用注解,日常开发、求职面试不再懵圈 |
一张思维导图带你学会SpringBoot、Vue前后端分离项目线上部署 |
一张流程图带你学会SpringBoot结合JWT实现登录功能 |
一张思维导图带你学会使用SpringBoot中的Schedule定时发送邮件 |
一张思维导图带你学会使用SpringBoot异步任务实现下单校验库存 |
一张思维导图带你学会SpringBoot使用AOP实现日志管理功能 |
一张图带你学会入门级别的SpringBoot实现文件上传、下载功能 |
一张思维导图带你学会SpringBoot自定义Filter |
一张思维导图带你学会SpringBoot整合Redis |
🌟前言
在一次搭建Redis哨兵模式时,在最后验证是否搭建成功时节点信息是错误的,经过排查,最后因为是配置文件出错导致的。
于是,我就想有没有一种办法可以通过可视化的方式去配置Redis配置文件,这样可以避免直接修改配置文件时,因视觉问题而造成配置文件出错,也可能是我视力差。
最后,我想到了使用SpringBoot整合Freemaker并结合Vue实现自动生成配置文件
来减少错误率的发生。
🌟SpringBoot整合Freemaker
pom依赖引入
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-freemarker</artifactId>
</dependency>
修改配置文件
server.port=8081
#整合freeemaker
#模板所在路径
spring.freemarker.template-loader-path= classpath:/templates
#模板后缀名
spring.freemarker.suffix= .ftl
spring.freemarker.settings.classic_compatible=true
配置参数实体类
创建配置参数实体类,这里省略了getter、setter方法。
/**
* 配置参数实体类
*/
public class ConfigParams {
/**
* 指定服务器监听的ip地址
*/
private String bind;
/**
* 端口号
*/
private String port;
/**
* 是否开启守护进程
*/
private boolean isDamonize;
/**
* 访问redis密码
*/
private String requirepass;
/**
* 日志文件的路径
*/
private String logPath;
/**
* 持久化文件名称
*/
private String dbFileName;
/**
* 持久化文件存储路径
*/
private String dirPath;
/**
* rdb持久化策略配置
*/
private String rdbPolicy;
/**
* 是否开启aof
*/
private boolean isAof;
/**
* 主节点访问密码
*/
private String masterauth;
/**
* 指定从哪个主节点复制
*/
private String replicaof;
Controller类
@RestController
@RequestMapping("/api/v1/redis")
public class RedisConfigController {
@PostMapping("generate")
public JsonData generateConfig(@RequestBody ConfigParams configParams) throws IOException, TemplateException {
//自动生成配置文件的工具类
GenetateConfigUtil.generateConfigFile(configParams,"E:\\IdeaWorkspace\\config-tools\\redis.conf");
return JsonData.buildSuccess();
}
}
自动生成文件工具类
通过整合Freemaker配置,自动生成Redis配置文件。
逻辑流程:
- 创建Freemaker配置。
- 从路径中读取Redis模板文件。
- 加载模板文件。
- 构造模板数据,将前端传入的数据存放到模板中。
- 生成最终的配置文件内容。
public class GenetateConfigUtil {
public static void generateConfigFile(ConfigParams configParams,String generateFilePath) throws IOException, TemplateException {
//创建freemarker配置
Configuration configuration=new Configuration(Configuration.VERSION_2_3_31);
configuration.setDirectoryForTemplateLoading(new File("E:\\IdeaWorkspace\\config-tools\\src\\main\\" +
"resources\\templates\\"));
// 加载模板文件
Template template = configuration.getTemplate("redis-config-template.ftl");
boolean daemonizeFlag=false;
if (configParams.isDamonize()==true){
daemonizeFlag=true;
}
// 构造模板数据
Map<String, Object> data = new HashMap<>();
data.put("bindIp", configParams.getBind());
data.put("port", configParams.getPort());
data.put("daemonize",daemonizeFlag);
data.put("requirepass",configParams.getRequirepass());
data.put("logfilepath",configParams.getLogPath());
data.put("dbfilename",configParams.getDbFileName());
data.put("rdbpolicy",configParams.getRdbPolicy());
data.put("dirPath",configParams.getDirPath());
data.put("masterauth",configParams.getMasterauth());
data.put("replicaof",configParams.getReplicaof());
// 生成最终的配置文件内容
FileWriter writer = new FileWriter(generateFilePath);
template.process(data, writer);
writer.flush();
writer.close();
}
}
Redis配置模板文件
在templates下创建模板文件redis-config-template.ftl。
模板代码
#任何IP都可以访问
<#if bindIp?has_content>
bind ${bindIp}
</#if>
#端口号
<#if port?has_content>
port ${port}
</#if>
#守护进程
<#if daemonize?has_content>
daemonize ${daemonize?string('yes','no')}
</#if>
#密码
<#if requirepass?has_content>
requirepass "${requirepass}"
</#if>
#日志文件
<#if logfilepath?has_content>
logfile "${logfilepath}"
</#if>
# 持久化文件名称
<#if dbfilename?has_content>
dbfilename "${dbfilename}"
</#if>
#持久化文件存储路径
<#if dirPath?has_content>
dir "${dirPath}"
</#if>
#持久化策略
<#if rdbpolicy?has_content>
save ${rdbpolicy}
</#if>
#访问主节点的密码
<#if masterauth?has_content>
masterauth "${masterauth}"
</#if>
#指定从哪个节点复制
<#if replicaof?has_content>
replicaof "${replicaof}"
</#if>
🌟Vue代码
关于创建步骤就不具体介绍了,下边直接给出页面代码。
<template>
<div class="redisConfig">
<h2 align="center">Redis配置文件生成</h2>
<div class="redisForm">
<el-row :gutter="15">
<el-form ref="elForm" :model="formData" :rules="rules" size="mini" label-width="105px"
label-position="right">
<el-col :span="24">
<el-form-item label="服务器监听IP" prop="bind">
<el-input v-model="formData.bind" placeholder="请输入服务器监听IP" clearable :style="{width: '100%'}">
</el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="端口号" prop="port">
<el-input v-model="formData.port" placeholder="请输入端口号" clearable :style="{width: '100%'}">
</el-input>
</el-form-item>
</el-col>
<el-col :span="1">
<el-form-item label="是否开启守护进程" prop="isDamonize">
<el-switch v-model="formData.isDamonize"></el-switch>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="Redis密码" prop="requirepass">
<el-input v-model="formData.requirepass" placeholder="请输入Redis密码" clearable show-password
:style="{width: '100%'}"></el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="日志文件路径" prop="logPath">
<el-input v-model="formData.logPath" placeholder="/path/xxx.log" clearable
:style="{width: '100%'}"></el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="持久化文件名" prop="dbFileName">
<el-input v-model="formData.dbFileName" placeholder="请输入持久化文件名" clearable
:style="{width: '100%'}"></el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="持久化文件路径" prop="dirPath">
<el-input v-model="formData.dirPath" placeholder="/path/data" clearable :style="{width: '100%'}">
</el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="RDB持久化策略配置" prop="rdbPolicy">
<el-input v-model="formData.rdbPolicy" placeholder="save <minute> <changes>" clearable
:style="{width: '100%'}"></el-input>
</el-form-item>
</el-col>
<el-col :span="1">
<el-form-item label="是否开启AOF持久化" prop="isAof">
<el-switch v-model="formData.isAof"></el-switch>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="主节点访问密码" prop="masterauth">
<el-input v-model="formData.masterauth" placeholder="请输入主节点访问密码" clearable show-password
:style="{width: '100%'}"></el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item label="指定复制主节点" prop="replicaof">
<el-input v-model="formData.replicaof" placeholder="请输入指定复制主节点IP" clearable
:style="{width: '100%'}"></el-input>
</el-form-item>
</el-col>
<el-col :span="24">
<el-form-item size="large">
<el-button type="primary" @click="submitForm">提交</el-button>
<el-button @click="resetForm">重置</el-button>
</el-form-item>
</el-col>
</el-form>
</el-row>
</div>
</div>
</template>
<script>
export default {
components: {},
props: [],
data() {
return {
formData: {
bind: "",
port: undefined,
isDamonize: false,
requirepass: undefined,
logPath: undefined,
dbFileName: undefined,
dirPath: "",
rdbPolicy: undefined,
isAof: undefined,
masterauth: undefined,
replicaof: undefined,
},
rules: {
bind: [{
required: true,
message: '请输入服务器监听IP',
trigger: 'blur'
}],
port: [{
required: true,
message: '请输入端口号',
trigger: 'blur'
}],
requirepass: [],
logPath: [],
dbFileName: [],
dirPath: [],
rdbPolicy: [],
masterauth: [],
replicaofIp: [],
replicaofPort: [],
},
}
},
computed: {},
watch: {},
created() {},
mounted() {},
methods: {
submitForm() {
this.$refs['elForm'].validate(valid => {
if (valid) {
this.request.post("/api/v1/redis/generate", this.formData).then(res => {
if(res.code === '0') {
this.$message.success("生成成功")
} else {
this.$message.error(res.msg)
}
})
}
})
},
resetForm() {
this.$refs['elForm'].resetFields()
},
}
}
</script>
<style>
.redisConfig {
position: fixed;
width: 100%;
height: 100vh; /* 可以根据需要设置高度 */
}
.redisForm {
position: absolute;
top: 45%;
left: 50%;
transform: translate(-50%, -50%); /* 平移至中心位置 */
/* 根据需要设置内容样式 */
}
</style>
页面效果图
🌟效果测试
在页面填写完相关信息提交后,将会在指定路径下生成配置文件。
🌟写在最后
有关于SpringBoot整合Freemaker结合Vue实现页面填写一键自动生成Redis的配置文件到此就结束了。
感谢大家的阅读,希望大家在评论区对此部分内容散发讨论,便于学到更多的知识。文章来源:https://www.toymoban.com/news/detail-695405.html
文章来源地址https://www.toymoban.com/news/detail-695405.html
到了这里,关于SpringBoot整合Freemaker结合Vue实现页面填写一键自动生成Redis的配置文件的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!