swagger2maven依赖_Maven + SpringMVC项目集成Swagger

Swagger 是一个规范和完整的框架,用于生成、描述、调用和可视化 RESTful 风格的 Web 服务。总体目标是使客户端和文件系统作为服务器以同样的速度来更新。文件的方法,参数和模型紧密集成到服务器端的代码,允许API来始终保持同步。

作用:

接口的文档在线自动生成。

功能测试。

下面通过实现一个web项目来演示Swagger的使用。

1. 新建SpringMVC项目

1.1 新建项目

新建基于maven的web项目,导入spring相关依赖如下

4.0.0

com.zang.xz

mySwagger

0.0.1-SNAPSHOT

war

mySwagger Maven Webapp

http://www.example.com

UTF-8

4.3.6.RELEASE

com.fasterxml.jackson.core

jackson-databind

2.8.9

org.springframework

spring-core

${spring.framework.version}

org.springframework

spring-context

${spring.framework.version}

org.springframework

spring-webmvc

${spring.framework.version}

mySwagger

1.2 配置web.xml和spring-mvc.xml

web.xml

Archetype Created Web Application

spring-mvc

org.springframework.web.servlet.DispatcherServlet

contextConfigLocation

classpath:spring-mvc.xml

1

true

spring-mvc

/

encodingFilter

org.springframework.web.filter.CharacterEncodingFilter

encoding

UTF-8

forceEncoding

true

encodingFilter

/*

spring-mvc.xml

http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context-4.0.xsd

http://www.springframework.org/schema/mvc http://www.springframework.org/schema/mvc/spring-mvc-4.0.xsd">

1.3 新建entity和controller测试

为求简便,这里不集成dao层,数据直接从controller中封装返回。

Product.java

packagecom.zang.xz.entity;public classProduct {private static final long serialVersionUID = 1L;/**ID*/

privateLong id;/**产品名称*/

privateString name;/**产品型号*/

privateString productClass;/**产品ID*/

privateString productId;publicLong getId() {returnid;

}public voidsetId(Long id) {this.id =id;

}publicString getName() {returnname;

}public voidsetName(String name) {this.name =name;

}publicString getProductClass() {returnproductClass;

}public voidsetProductClass(String productClass) {this.productClass =productClass;

}publicString getProductId() {returnproductId;

}public voidsetProductId(String productId) {this.productId =productId;

}

@OverridepublicString toString() {return "Product [id=" + id + ", name=" + name + ", productClass="

+ productClass + ", productId=" + productId + "]";

}

}

ProductController.java

packagecom.zang.xz.controller;importjava.util.Arrays;importjava.util.List;importorg.springframework.http.ResponseEntity;importorg.springframework.web.bind.annotation.PathVariable;importorg.springframework.web.bind.annotation.RequestMapping;importorg.springframework.web.bind.annotation.RequestMethod;importorg.springframework.web.bind.annotation.RestController;importcom.zang.xz.entity.Product;

@RestController

@RequestMapping(value= {"/product/"})public classProductController {

@RequestMapping(value= "/{id}", method =RequestMethod.GET)public ResponseEntityget(@PathVariable Long id) {

Product product= newProduct();

product.setName("空气净化器");

product.setId(1L);

product.setProductClass("filters");

product.setProductId("T12345");returnResponseEntity.ok(product);

}

}

测试

353ae9a29433fc36a4094772a2419736.png

至此,创建了一个简单的基于SpringMVC的Web项目,并能对外提供REST风格的API接口。接下来,我们要整合SpringFox和SwaggerUI到该SpringMVC项目中去,使其对外接口文档化。

2. 集成Swagger

2.1 添加swagger相关jar包

io.springfox

springfox-swagger2

2.7.0

io.springfox

springfox-swagger-ui

2.7.0

此处swagger 的核心依赖使用springfox-swagger2,SpringFox已经可以代替swagger-springmvc, 目前SpringFox同时支持Swagger 1.2 和 2.0。

2.2 添加SwaggerConfig

packagecom.zang.xz.controller;importorg.springframework.context.annotation.Bean;importorg.springframework.context.annotation.Configuration;importspringfox.documentation.builders.ApiInfoBuilder;importspringfox.documentation.builders.RequestHandlerSelectors;importspringfox.documentation.service.ApiInfo;importspringfox.documentation.spi.DocumentationType;importspringfox.documentation.spring.web.plugins.Docket;importspringfox.documentation.swagger2.annotations.EnableSwagger2;

@Configuration

@EnableSwagger2public classSwaggerConfig {

@BeanpublicDocket api() {return newDocket(DocumentationType.SWAGGER_2)

.select()

.apis(RequestHandlerSelectors.any())//显示所有类//.apis(RequestHandlerSelectors.withClassAnnotation(Api.class))//只显示添加@Api注解的类

.build()

.apiInfo(apiInfo());

}privateApiInfo apiInfo() {return newApiInfoBuilder()

.title("开放接口API") //粗标题

.description("HTTP对外开放接口") //描述

.version("1.0.0") //api version

.termsOfServiceUrl("http://xxx.xxx.com")

.license("LICENSE") //链接名称

.licenseUrl("http://xxx.xxx.com") //链接地址

.build();

}

}

2.3 静态资源访问配置

上面引入的springfox-swagger-ui依赖为我们提供了静态资源访问的支持,通过访问他为我们提供的页面,可以直观的看出项目所开放的接口API。

b777799483954695580e26639b81553d.png

要想访问该页面,还需要增加访问配置,方法有两种:

2.3.1 在spring-mvc.xml中增加配置

2.3.2 或者增加配置类WebAppConfig

packagecom.zang.xz.controller;importorg.springframework.context.annotation.Configuration;importorg.springframework.web.servlet.config.annotation.EnableWebMvc;importorg.springframework.web.servlet.config.annotation.ResourceHandlerRegistry;importorg.springframework.web.servlet.config.annotation.WebMvcConfigurerAdapter;

@Configuration

@EnableWebMvcpublic class WebAppConfig extendsWebMvcConfigurerAdapter {

@Overridepublic voidaddResourceHandlers(ResourceHandlerRegistry registry) {

registry.addResourceHandler("swagger-ui.html").addResourceLocations("classpath:/META-INF/resources/");

registry.addResourceHandler("/webjars/**").addResourceLocations("classpath:/META-INF/resources/webjars/");

}

}

3. 测试API接口

3.1 访问“项目地址/swagger-ui.html#/”查看api

访问 http://localhost:8090/mySwagger/swagger-ui.html#/出现如下界面,说明我们的swagger集成项目成功。

efa8b2190d38a1c3769142cef6294ad8.png

在参数中输入信息,可实现对接口的调用

a34baba68c9d0f58ef5e01cc92da973f.png

b396d1fe08ba8065d2c553cc65417802.png

但是单调的页面没有实现swagger作为API文档工具的作用,这需要我们通过注解在接口方法中配置。

3.2 通过注解生成API文档

常用注解如下:

常用注解:

@Api()用于类; 表示标识这个类是swagger的资源

@ApiOperation()用于方法; 表示一个http请求的操作

@ApiParam()用于方法,参数,字段说明; 表示对参数的添加元数据(说明或是否必填等)

@ApiModel()用于类 表示对类进行说明,用于参数用实体类接收

@ApiModelProperty()用于方法,字段 ;表示对model属性的说明或者数据操作更改

@ApiIgnore()用于类,方法,方法参数 ;表示这个方法或者类被忽略

@ApiImplicitParam() 用于方法 ;表示单独的请求参数

@ApiImplicitParams() 用于方法,包含多个 @ApiImplicitParam

@RestController

@RequestMapping(value= { "/product/"})//类上加@Api注解

@Api(value = "/ProductController", tags = "接口开放示例")public classProductController {

@RequestMapping(value= "/{id}", method =RequestMethod.GET)//方法上加ApiOpreation注解

@ApiOperation(value = "根据id获取产品信息", notes = "根据id获取产品信息", httpMethod = "GET", response = Product.class)public ResponseEntityget(@PathVariable Long id) {

Product product= newProduct();

product.setName("空气净化器");

product.setId(1L);

product.setProductClass("filters");

product.setProductId("T12345");returnResponseEntity.ok(product);

}

}

添加注解之后,访问swagger界面如下

ed5ddd95d30e60c66aaf213a332ccc92.png

3.3 其他方法测试

多增加几个测试方法

@RequestMapping(method =RequestMethod.POST)

@ApiOperation(value= "添加一个新的产品")

@ApiResponses(value= { @ApiResponse(code = 405, message = "参数错误") })public ResponseEntityadd(Product product) {return ResponseEntity.ok("SUCCESS");

}

@RequestMapping(method=RequestMethod.PUT)

@ApiOperation(value= "更新一个产品")

@ApiResponses(value= { @ApiResponse(code = 400, message = "参数错误") })public ResponseEntityupdate(Product product) {return ResponseEntity.ok("SUCCESS");

}

@RequestMapping(method=RequestMethod.GET)

@ApiOperation(value= "获取所有产品信息", notes = "获取所有产品信息", httpMethod = "GET", response = Product.class, responseContainer = "List")public ResponseEntity>getAllProducts() {

Product product= newProduct();

product.setName("七级滤芯净水器");

product.setId(1L);

product.setProductClass("seven_filters");

product.setProductId("T12345");returnResponseEntity.ok(Arrays.asList(product, product));

}

swagger界面为不同方法提供不同颜色显示,可在其中对各个接口进行测试

7a6afa1f682928a34258a08360807b2d.png

项目结构如下:

a8fbfb50b1ed0b30a5b4d21c7f240e44.png

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

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

相关文章

IDEA2019版最新配置SVN及上传教程-超详细图文详解

IDEA2019版配置SVN图文详解 1. 查看svn仓库 调出svn视图: 连接svn服务器: 连接后效果如下: 补充:如果输入正确的连接地址后出现错误—系统找不到指定的文件 请到设置中检查(File | Settings | Version Control | Subversion)SVC客户端路径…

openocd目录_OpenOCD的调试

Openocd的调试步骤1、前言本文档仅用于学习参考。对本文档作者保留所有权利。联系邮箱:yarakyoungqq.com2、工具本文使用的软、硬件工具如下:目标开发板:ST SPEAr310 EVB 2.0(官网www.st.com)及其交叉编译环境。仿真器:OpenJTAG(官…

dubbo:reference、dubbo:service和@Service、@Reference使用情况

以前在同一模块中Spring依赖注入&#xff0c;可以通过Service和Autowired Dubbo是远程服务调用&#xff0c;消费方需要注入提供方定义的接口实例&#xff0c;可以通过xml配置 dubbo:reference、dubbo:service <dubbo:service interface"fei.CustomerServices" …

SSM+Maven+Dubbo+Zookeeper简单项目实战以及易错注意点

最近为了熟悉Dubbo远程过程调用架构的使用&#xff0c;并结合SSMMaven整合了简单的一套项目实战 直接看项目结构图 各模块介绍 dubbo-common&#xff1a;存放项目需要的公众类&#xff0c;像查询模型、数据库实体模型等 dubbo-config&#xff1a;存放项目所需的公众配置文件&…

c++二叉树的层序遍历_leetcode 103. 二叉树的锯齿形层序遍历

按层次遍历&#xff0c;记录下对应节点的val和所在层&#xff0c;然后经过一定变换得到输出。python代码如下&#xff1a;# Definition for a binary tree node.# class TreeNode(object):# def __init__(self, x):# self.val x# self.left None# …

TCP和UDP的区别(Socket)

TCP和UDP区别 TCP和UDP编程区别 TCP编程的服务器端一般步骤是&#xff1a;   1、创建一个socket&#xff0c;用函数socket()&#xff1b;   2、设置socket属性&#xff0c;用函数setsockopt(); * 可选   3、绑定IP地址、端口等信息到socket上&#xff0c;用函数bind(); …

mysql out_mysql存储过程 in out inout

存储过程的好处存储过程是一组预编译好的sql语句&#xff0c;用来执行某个特定的功能。这样可以省去sql解析、编译、优化的过程&#xff0c;提高了执行效率&#xff0c;同时&#xff0c;在调用的时候只传一个存储过程的名称&#xff0c;而不用传一大堆sql语句&#xff0c;减少了…

Socket TCP和UDP的区别

一、UDP:(用户数据报协议) 1》将数据及源和目的封装在数据包中&#xff0c;不需要建立连接 2》每个数据包得大小限制在64KB之内 3》因为无需连接&#xff0c;因此是不可靠协议 4》不需要建立连接&#xff0c;速度快 5》需要的系统资源较少&#xff0c;结构较简单 二、TCP(传输控…

mysql级联查询_mysql 各种级联查询后更新(update select)

mysql 各种级联查询后更新(update select).CREATE TABLE tb1 (id int(11) NOT NULL,A varchar(100) default NULL,B varchar(100) default NULL,C varchar(20) default NULL,PRIMARY KEY (id),KEY id (id)) ENGINEInnoDB DEFAULT CHARSETlatin1;CREATE TABLE tb2 (id int(11)…

mysql锿法_MySQL基本用法

常用sql语句查看数据库&#xff1a; show databases;创建一个HA的数据库&#xff1a; create database HA;查看自己所处的位置&#xff1a; select database();删除数据库&#xff1a; drop database wg;创建表&#xff1a;语法&#xff1a;**create table** 表名 (**字段名** …

Java并发面试宝典,并发相关面试再也难不倒你!

1、在java中守护线程和用户线程的区别&#xff1f; java中的线程分为两种&#xff1a;守护线程&#xff08;Daemon&#xff09;和用户线程&#xff08;User&#xff09;。 任何线程都可以设置为守护线程和用户线程&#xff0c;通过方法Thread.setDaemon(bool on)&#xff1b;…

mysql open table_MySQL open table

背景&#xff1a;MySQL经常会遇到Too many open files&#xff0c;MySQL上的open_files_limit和OS层面上设置的open file limit有什么关系&#xff1f;源码中也会看到不同的数据结构&#xff0c;TABLE, TABLE_SHARE&#xff0c;跟表是什么关系&#xff1f;MySQL flush tables又…

mysql 视图 mybatis_Mybatis调用视图和存储过程的方法

现在的项目是以Mybatis作为O/R映射框架&#xff0c;确实好用&#xff0c;也非常方便项目的开发。MyBatis支持普通sql的查询、视图的查询、存储过程调用&#xff0c;是一种非常优秀的持久层框架。它可利用简单的XML或注解用语配置和原始映射&#xff0c;将接口和java中的POJO映射…

JUC详解

JUC 前言&#xff1a; 在Java中&#xff0c;线程部分是一个重点&#xff0c;本篇文章说的JUC也是关于线程的。JUC就是java.util .concurrent工具包的简称。这是一个处理线程的工具包&#xff0c;JDK 1.5开始出现的。下面一起来看看它怎么使用。 一、volatile关键字与内存可见…

mongodb mysql 写_MySQL和MongoDB语句的写法对照

查询&#xff1a;MySQL:SELECT * FROM userMongo:db.user.find()MySQL:SELECT * FROM user WHERE name ’starlee’Mongo:db.user.find({‘name’ : ’starlee’})插入&#xff1a;MySQL:INSERT INOT user (name, age) values (’starlee’,25)Mongo:db.user.insert({‘name’…

抓包工具,知道手机app上面使用的接口是哪个

fiddler。大家可以百度上面好多选择一个安装。这里随便扔一个 在电脑上安装以后。你再配置手机上的一些设置。 首先保证手机和电脑在同一个局域网上&#xff0c;连得wifi域名前面一样的&#xff0c;在电脑的cmd输入ipconfig 然后打开手机的设置。wifi页面点开查看你连的wifi的…

munin mysql_munin 监控 mysql 2种方法

munin自带的有mysql监控功能&#xff0c;但是没有启用。试了二种方法&#xff0c;都可以监控mysql。一&#xff0c;安装munin mysql的perl扩展# yum install perl-Cache-Cache perl-IPC-ShareLite perl-DBD-MySQL二&#xff0c;为监控创建mysql用户mysql> CREATE USER munin…

使用fiddler实现手机抓包

使用fiddler实现手机抓包 手机上无法直接查看网络请求数据&#xff0c;需要使用抓包工具。Fiddler是一个免费的web调试代理&#xff0c;可以用它实现记录、查看和调试手机终端和远程服务器之间的http/https通信。 一、PC端fiddler配置 1. 安装HTTPS证书 手机上的应用很多涉及…

mysql查询最小的id_Mysql查询表中最小可用id值的方法

今天在看实验室的项目时&#xff0c;碰到了一个让我“棘手”的问题&#xff0c;其实也是自己太笨了。先把 sql 语句扔出来// 这条语句在id没有1时&#xff0c;不能得到正确的查询结果。select min(id1) from oslist c where not exists (select id from oslist where id c.id1…

小米手机上安装https证书(例如pem证书,crt证书)详解

小米手机上安装https证书&#xff08;例如pem证书&#xff0c;crt证书&#xff09;关键三步&#xff1a; 1.使用第三方浏览器下载.pem 格式的文件 &#xff08;我使用的是QQ浏览器&#xff09; 2.将这个文件放入小米的 DownLoad 文件夹下 (这步也可以不做&#xff0c;只要在4…