SpringBoot整合Mybatis-plus实现商品推荐

这篇具有很好参考价值的文章主要介绍了SpringBoot整合Mybatis-plus实现商品推荐。希望对大家有所帮助。如果存在错误或未考虑完全的地方,请大家不吝赐教,您也可以点击"举报违法"按钮提交疑问。

1. 准备工作

在开始编写代码之前,我们需要准备一下环境:

  • Java 8+
  • IntelliJ IDEA
  • Node.js 和 npm
  • Vue CLI

如果你还没有安装Vue CLI,则可以使用以下命令在终端中安装:

npm install -g @vue/cli

2. 创建Spring Boot项目

首先,我们需要使用Spring Boot创建一个新项目。在IntelliJ IDEA中,选择“New Project”,然后选择“Spring Initializr”。

在“New Project”窗口中,选择“Spring Initializr”,并填写以下信息:

  • Group:com.example
  • Artifact:spring-boot-mybatis-plus-demo
  • Dependencies:选择“Web”,“MyBatis-Plus”和“MySQL Driver”

点击“Next”确认,并在下一个窗口接受默认值。最后,点击“Finish”完成创建项目。

3. 创建MySQL数据库

我们需要创建一个MySQL数据库来存储我们的商品数据。在这个示例中,我们将创建一个名为“product”的数据库和一个名为“product”表的数据表。

首先,打开MySQL控制台,并运行以下命令来创建数据库:

CREATE DATABASE product;

接下来,我们需要创建一个数据表。使用以下命令创建一个名为“product”的数据表:

CREATE TABLE product (
  id int(11) NOT NULL AUTO_INCREMENT,
  name varchar(255) DEFAULT NULL,
  price decimal(10,2) DEFAULT NULL,
  PRIMARY KEY (id)
) ENGINE=InnoDB DEFAULT CHARSET=utf8;

在此示例中,我们只需要包含商品名称和价格两个字段。如果您要构建更实际的使用案例,则可以添加更多的字段。

4. 配置MyBatis-Plus

我们需要添加MyBatis-Plus的依赖,这里我们在pom.xml文件中加入以下代码:

<dependency>
    <groupId>com.baomidou</groupId>
    <artifactId>mybatis-plus-boot-starter</artifactId>
    <version>3.4.2</version>
</dependency>

在这个示例中,我们没有使用MyBatis,而是使用MyBatis-Plus。MyBatis-Plus是一个集成了许多MyBatis功能,并且简化了使用的库。

接下来,在application.properties中添加以下代码,配置数据库连接:

spring.datasource.url=jdbc:mysql://localhost:3306/product?useUnicode=true&characterEncoding=utf-8&useSSL=false&serverTimezone=GMT
spring.datasource.username=root
spring.datasource.password=123456
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver

mybatis-plus.mapper-locations=classpath:/mapper/**/*.xml

这里我们使用了MySQL数据库,如果您的数据库不同,请修改连接URL、用户名和密码。

5. 编写Product实体类

为了让MyBatis-Plus知道如何映射我们的数据库表,我们需要创建一个Product实体类。在这个示例中,Product实体类包含三个字段:id、name和price。

@Data
@NoArgsConstructor
@AllArgsConstructor
public class Product {
    private Long id;
    private String name;
    private BigDecimal price;
}

在这里,我们使用了Lombok注解@Data,可以自动生成getter和setter方法,@NoArgsConstructor和@AllArgsConstructor可以生成无参和全参构造器。

6. 创建ProductMapper

接下来,我们将创建一个ProductMapper,用于实现一些操作数据库的方法。在这个示例中,我们将编写一些包括查询所有商品、根据商品名模糊查询、新增商品、更新商品和删除商品的方法。

使用MyBatis-Plus,我们只需要继承BaseMapper就可以实现以上的操作,例如:

public interface ProductMapper extends BaseMapper<Product> {
}

7. 配置Swagger

Swagger是一个流行的API文档工具,我们可以使用Swagger来记录和调试我们的API,方便前端调用接口。在这个示例中,我们使用Swagger 2.0版本。

添加Swagger的依赖:

<!-- Swagger2 -->
<dependency>
    <groupId>io.springfox</groupId>
    <artifactId>springfox-swagger2</artifactId>
    <version>3.0.0</version>
</dependency>
<!-- Swagger UI -->
<dependency>
    <groupId>io.springfox</groupId>
    <artifactId>springfox-swagger-ui</artifactId>
    <version>3.0.0</version>
</dependency>

在Spring Boot的主类上添加@EnableSwagger2注解,开启Swagger的支持:

@EnableSwagger2
@SpringBootApplication
public class SpringBootMybatisPlusDemoApplication {
    public static void main(String[] args) {
        SpringApplication.run(SpringBootMybatisPlusDemoApplication.class, args);
    }
}

在SwaggerConfig.java文件中配置Swagger,示例代码如下:

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

    private ApiInfo apiInfo() {
        return new ApiInfoBuilder()
                .title("Spring Boot集成MyBatis-Plus实现商品推荐")
                .description("利用Swagger UI查看和调试接口")
                .termsOfServiceUrl("http://localhost:8080/")
                .version("1.0")
                .build();
    }
}

8. 编写商品Controller

我们需要创建一个ProductController类,用于实现与商品相关的API。在这个示例中,我们将编写一些包括查询所有商品、根据商品名模糊查询、新增商品、更新商品和删除商品的API。

@RestController
@RequestMapping("/product")
public class ProductController {
    @Autowired
    private ProductService productService;

    @ApiOperation(value = "获取所有商品列表")
    @GetMapping("/getAll")
    public List<Product> getAllProducts() {
        return productService.getAllProducts();
    }

    @ApiOperation(value = "根据商品名模糊查询")
    @GetMapping("/{name}")
    public List<Product> getProductsByName(@PathVariable String name) {
        return productService.getProductsByName(name);
    }

    @ApiOperation(value = "新增商品")
    @PostMapping("")
    public boolean addProduct(@RequestBody Product product) {
        return productService.addProduct(product);
    }

    @ApiOperation(value = "更新商品信息")
    @PutMapping("/{id}")
    public boolean updateProduct(@PathVariable Long id, @RequestBody Product product) {
        return productService.updateProduct(id, product);
    }

    @ApiOperation(value = "删除商品")
    @DeleteMapping("/{id}")
    public boolean deleteProduct(@PathVariable Long id) {
        return productService.deleteProduct(id);
    }
}

在这里,我们使用了Swagger注解@ApiOperation来描述API,方便接口文档的编写。

9. 编写商品Service

我们需要创建一个ProductService类,用于调用MyBatis-Plus操作数据库。在这个示例中,我们实现了从数据库中查询所有商品、根据商品名模糊查询、新增商品、更新商品和删除商品的方法。

@Service
public class ProductService {
    @Autowired
    private ProductMapper productMapper;

    public List<Product> getAllProducts() {
        return productMapper.selectList(null);
    }

    public List<Product> getProductsByName(String name) {
        QueryWrapper<Product> queryWrapper = new QueryWrapper<>();
        queryWrapper.like("name", name);
        return productMapper.selectList(queryWrapper);
    }

    public boolean addProduct(Product product) {
        return productMapper.insert(product) > 0;
    }

    public boolean updateProduct(Long id, Product product) {
        product.setId(id);
        return productMapper.updateById(product) > 0;
    }

    public boolean deleteProduct(Long id) {
        return productMapper.deleteById(id) > 0;
    }
}

10. 整合Vue和Element-UI

接下来,我们将使用Vue结合Element-UI的组件进行调用后端接口。首先,我们使用Vue CLI创建一个新的Vue项目:

vue create product-vue

然后在命令行中运行以下命令来安装Element-UI和Axios:

npm install element-ui --save
npm install axios

在完成安装后,我们可以开始创建Vue组件。在src/components目录下创建一个新文件ProductList.vue,代码如下:

<template>
  <div>
    <el-input v-model="searchName" placeholder="请输入搜索关键字" class="search-input"></el-input>
    <el-button type="primary" @click="searchProducts">搜索</el-button>
    <el-button type="default" class="add-btn" @click="showAddDialog=true">新增商品</el-button>
    <el-dialog title="新增商品" :visible.sync="showAddDialog">
      <el-form :model="newProduct" label-position="right">
        <el-form-item label="商品名称">
          <el-input v-model="newProduct.name"></el-input>
        </el-form-item>
        <el-form-item label="价格">
          <el-input v-model="newProduct.price" type="number"></el-input>
        </el-form-item>
      </el-form>
      <div slot="footer" class="dialog-footer">
        <el-button @click="addProduct">确定</el-button>
        <el-button @click="showAddDialog=false">取消</el-button>
      </div>
    </el-dialog>
    <el-table :data="products" stripe style="width: 100%">
      <el-table-column type="index" width="50" label="序号"></el-table-column>
      <el-table-column prop="name" label="商品名称"></el-table-column>
      <el-table-column prop="price" label="价格"></el-table-column>
      <el-table-column label="操作" width="180">
        <template v-slot="scope">
          <el-button size="small" type="primary" @click="editProduct(scope.row)">编辑</el-button>
          <el-button size="small" type="danger" @click="deleteProduct(scope.row)">删除</el-button>
        </template>
      </el-table-column>
    </el-table>
    <el-dialog title="编辑商品" :visible.sync="showEditDialog">
      <el-form :model="currentProduct" label-position="right">
        <el-form-item label="商品名称">
          <el-input v-model="currentProduct.name"></el-input>
        </el-form-item>
        <el-form-item label="价格">
          <el-input v-model="currentProduct.price" type="number"></el-input>
        </el-form-item>
      </el-form>
      <div slot="footer" class="dialog-footer">
        <el-button @click="updateProduct">确定</el-button>
        <el-button @click="showEditDialog=false">取消</el-button>
      </div>
    </el-dialog>
  </div>
</template>

<script>
import axios from 'axios';
import { Message, Dialog, Form, FormItem, Input, Button, Table, TableColumn } 
  from "element-ui";

export default {
  name: "ProductList",
  components: { ElDialog: Dialog, ElForm: Form, ElFormItem: FormItem, 
    ElInput: Input, ElButton: Button, ElTable: Table, ElTableColumn: TableColumn },
  data() {
    return {
      products: [],
      searchName: '',
      showAddDialog: false,
      newProduct: { name: '', price: null },
      currentProduct: null,
      showEditDialog: false,
      editProductIndex: -1
    }
  },
  created() {
    this.loadProducts();
  },
  methods: {
    loadProducts() {
      axios.get('/product/getAll').then((response) => {
        this.products = response.data;
      }).catch((error) => {
        console.error(error);
        Message.error('加载商品列表失败');
      });
    },
    searchProducts() {
      axios.get('/product/' + this.searchName).then((response) => {
        this.products = response.data;
      }).catch((error) => {
        console.error(error);
        Message.error('搜索商品失败');
      });
    },
    addProduct() {
      axios.post('/product', this.newProduct).then((response) => {
        this.showAddDialog = false;
        this.loadProducts();
        Message.success('新增商品成功');
      }).catch((error) => {
        console.error(error);
        Message.error('新增商品失败');
      });
    },
    editProduct(product) {
      this.currentProduct = Object.assign({}, product);
      this.editProductIndex = this.products.indexOf(product);
      this.showEditDialog = true;
    },
    updateProduct() {
      axios.put('/product/' + this.currentProduct.id, this.currentProduct).then((response) => {
        this.showEditDialog = false;
        this.loadProducts();
        Message.success('更新商品成功');
      }).catch((error) => {
        console.error(error);
        Message.error('更新商品失败');
      });
    },
    deleteProduct(product) {
      this.$confirm('确定要删除该商品吗?', '提示', {
        confirmButtonText: '确定',
        cancelButtonText: '取消',
        type: 'warning'
      }).then(() => {
        axios.delete('/product/' + product.id).then((response) => {
          Message.success('删除成功');
          this.loadProducts();
        }).catch((error) => {
          console.error(error);
          Message.error('删除商品失败');
        });
      }).catch(() => {
        Message.info('已取消删除');
      });
    }
  }
};
</script>

<style scoped>
.search-input {
  width: 300px;
  margin-right: 10px;
}
.add-btn {
  margin: 0 10px;
}
</style>

在这里,我们使用了Element-UI的组件,包括Input、Button、Table、Dialog和Form等,用于实现前端的逻辑。同时,我们使用了Axios来调用后端接口,实现数据的读写操作。

11. 运行程序

在完成以上工作后,我们就可以运行程序来测试它是否正常工作了。首先,在终端中进入Spring Boot项目目录,并运行以下命令:

mvn spring-boot:run

然后,在另一个终端中进入Vue项目目录,并运行以下命令:

npm run serve

现在,在浏览器中打开http://localhost:8081(Vue项目的默认端口),即可访问我们的页面。

12. 结语

在本文中,我们介绍了如何使用Spring Boot整合MyBatis-Plus实现商品推荐,并使用Vue结合Element-UI的组件进行调用接口。希望这篇文章能够对您有所帮助,谢谢阅读!文章来源地址https://www.toymoban.com/news/detail-430134.html

到了这里,关于SpringBoot整合Mybatis-plus实现商品推荐的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处: 如若内容造成侵权/违法违规/事实不符,请点击违法举报进行投诉反馈,一经查实,立即删除!

领支付宝红包 赞助服务器费用

相关文章

  • springboot3.2 整合 mybatis-plus

    springboot3.2 正式发布了 迫不及待地的感受了一下 结果在整个mybatis-plus 的时候遇到了如下报错 主要是由于 mybatis-plus 中 mybatis 的整合包版本不够导致的 排除 mybatis-plus 中自带的 mybatis 整合包,单独引入即可 修改依赖后正常

    2024年02月04日
    浏览(48)
  • Springboot 整合Mytbatis与Mybatis-Plus

    目录 1. springboot整合mybatis    1.1 添加pom.xml依赖  1.2 新建jdbc.properties 文件添加以下内容  1.3 新建generatorConfig.xml 文件添加以下内容 (自动生成代码类)   1.4 修改application.properties 文件 添加以下内容  1.5 修改主类MapperScan  1.6 编写接口实现类进行测试  2. springboot整合mybatis-p

    2024年02月06日
    浏览(44)
  • SpringBoot整合MyBatis-Plus,赶紧整过来!

    提示:以下是本篇文章正文内容 MyBatis-Plus官网介绍:MyBatis-Plus (opens new window)(简称 MP)是一个 MyBatis (opens new window)的增强工具,在 MyBatis 的基础上只做增强不做改变,为简化开发、提高效率而生。 MyBatis-Plus封装了单表的crud操作,减少基础代码编写,提高开发效率。 支持自

    2024年02月06日
    浏览(35)
  • SpringBoot(整合MyBatis + MyBatis-Plus + MyBatisX插件使用)

    1.需求分析 2.数据库表设计 3.数据库环境配置 1.新建maven项目 2.pom.xml 引入依赖 3.application.yml 配置数据源 数据库名 用户名 密码 驱动是mysql8的(因为上面使用了版本仲裁) 4.Application.java 编写启动类 5.测试 6.配置类切换druid数据源 7.测试数据源是否成功切换 4.Mybatis基础配置 1

    2024年03月20日
    浏览(53)
  • SpringBoot整合JUnit--MyBatis--MyBatis-Plus--Druid

    文章转自黑马程序员SpringBoot学习笔记,学习网址:黑马程序员SpringBoot2教程 1.整合JUnit ​ SpringBoot技术的定位用于简化开发,再具体点是简化Spring程序的开发。所以在整合任意技术的时候,如果你想直观感触到简化的效果,你必须先知道使用非SpringBoot技术时对应的整合是如何做

    2023年04月23日
    浏览(45)
  • SpringBoot连接MySQL并整合MyBatis-Plus

    2024年02月01日
    浏览(49)
  • Springboot3整合Mybatis-plus3.5.3报错

    ✅作者简介:大家好,我是Leo,热爱Java后端开发者,一个想要与大家共同进步的男人😉😉 🍎个人主页:Leo的博客 💞当前专栏: 报错以及Bug ✨特色专栏: MySQL学习 🥭本文内容:记录一次Docker与Redis冲突 🖥️个人小站 :个人博客,欢迎大家访问 📚个人知识库: 知识库,

    2024年02月05日
    浏览(48)
  • SpringBoot整合Mybatis-Plus、Druid配置多数据源

    目录 1.初始化项目 1.1.初始化工程 1.2.添加依赖 1.3.配置yml文件 1.4.Spring Boot 启动类中添加 @MapperScan 注解,扫描 Mapper 文件夹 1.5.配置使用数据源 1.5.1.注解方式 1.5.2.基于AOP手动实现多数据源原生的方式 2.结果展示 Mybatis-Plus:简介 | MyBatis-Plus (baomidou.com) 在正式开始之前,先初始

    2024年02月11日
    浏览(44)
  • springboot整合mybatis-plus的sql输出到日志文件上

    springboot整合mybatis-plus的sql输出到日志文件上 在平时的日常开发中,我们希望sql打印在控制台上,只要如下配置即可 但是在生产中如果希望sql输出到日志文件上,有几种方式可以实现,下面我就用项目中常用的两种方式(不引入第三方依赖) 一、修改yml文件配置即可 缺点:

    2024年02月01日
    浏览(51)
  • java springboot整合MyBatis-Plus 多用点Plus支持一下国人开发的东西吧

    文章java springboot整合MyBatis做数据库查询操作讲述了boot项目整合MyBatis的操作方法 但现在就还有一个 MyBatis-Plus Plus是国内整合的一个技术 国内的很多人会喜欢用 特别是一些中小型公司 他们用着会比较舒服 好 然后我们打开idea 创建一个项目 选择 Spring Initializr 工程 调一下项目

    2024年02月09日
    浏览(57)

觉得文章有用就打赏一下文章作者

支付宝扫一扫打赏

博客赞助

微信扫一扫打赏

请作者喝杯咖啡吧~博客赞助

支付宝扫一扫领取红包,优惠每天领

二维码1

领取红包

二维码2

领红包