Spring MVC测试框架详解——客户端测试

系统 1607 0

对于客户端测试以前经常使用的方法是启动一个内嵌的jetty/tomcat容器,然后发送真实的请求到相应的控制器;这种方式的缺点就是速度慢;自Spring 3.2开始提供了对RestTemplate的模拟服务器测试方式,也就是说使用RestTemplate测试时无须启动服务器,而是模拟一个服务器进行测试,这样的话速度是非常快的。

 

2 RestTemplate客户端测试

整个环境在上一篇《 Spring MVC测试框架详解——服务端测试 》基础上进行构建。

 

UserRestController控制器

Java代码   收藏代码
  1. @RestController   
  2. @RequestMapping ( "/users" )  
  3. public   class  UserRestController {  
  4.   
  5.      private  UserService userService;  
  6.   
  7.      @Autowired   
  8.      public  UserRestController(UserService userService) {  
  9.          this .userService = userService;  
  10.     }  
  11.   
  12.      @RequestMapping (value =  "/{id}" , method = RequestMethod.GET, produces = MediaType.APPLICATION_JSON_VALUE)  
  13.      public  User findById( @PathVariable ( "id" ) Long id) {  
  14.          return  userService.findById(1L);  
  15.     }  
  16.   
  17.      @RequestMapping (method = RequestMethod.POST)  
  18.      public  ResponseEntity<User> save( @RequestBody  User user, UriComponentsBuilder uriComponentsBuilder) {  
  19.          //save user   
  20.         user.setId(1L);  
  21.         MultiValueMap headers =  new  HttpHeaders();  
  22.         headers.set( "Location" , uriComponentsBuilder.path( "/users/{id}" ).buildAndExpand(user.getId()).toUriString());  
  23.          return   new  ResponseEntity(user, headers, HttpStatus.CREATED);  
  24.     }  
  25.   
  26.      @RequestMapping (value =  "/{id}" , method = RequestMethod.PUT, consumes = MediaType.APPLICATION_JSON_VALUE)  
  27.      @ResponseStatus (HttpStatus.NO_CONTENT)  
  28.      public   void  update( @RequestBody  User user) {  
  29.          //update by id   
  30.     }  
  31.   
  32.      @RequestMapping (value =  "/{id}" , method = RequestMethod.DELETE)  
  33.      public   void  delete( @PathVariable ( "id" ) Long id) {  
  34.          //delete by id   
  35.     }  
  36. }  

 

UserService

Java代码   收藏代码
  1. package  com.sishuok.mvc.service;  
  2.   
  3. import  com.sishuok.mvc.entity.User;  
  4.   
  5. public   interface  UserService {  
  6.      public  User findById(Long id);  
  7. }  
 

UserServiceImpl

Java代码   收藏代码
  1. package  com.sishuok.mvc.service;  
  2.   
  3. import  com.sishuok.mvc.entity.User;  
  4. import  org.springframework.stereotype.Service;  
  5.   
  6. @Service   
  7. public   class  UserServiceImpl  implements  UserService {  
  8.   
  9.      public  User findById(Long id) {  
  10.         User user =  new  User();  
  11.         user.setId(id);  
  12.         user.setName( "zhang" );  
  13.          return  user;  
  14.     }  
  15. }  
 

AbstractClientTest测试基类

Java代码   收藏代码
  1. public   abstract   class  AbstractClientTest {  
  2.   
  3.      static  RestTemplate restTemplate;  
  4.     ObjectMapper objectMapper;  //JSON   
  5.     Jaxb2Marshaller marshaller;  //XML   
  6.     String baseUri =  "http://localhost:8080/users" ;  
  7.   
  8.      @Before   
  9.      public   void  setUp()  throws  Exception {  
  10.         objectMapper =  new  ObjectMapper();  //需要添加jackson jar包   
  11.   
  12.         marshaller =  new  Jaxb2Marshaller();  //需要添加jaxb2实现(如xstream)   
  13.         marshaller.setPackagesToScan( new  String[] { "com.sishuok" });  
  14.         marshaller.afterPropertiesSet();  
  15.   
  16.         restTemplate =  new  RestTemplate();  
  17.     }  
  18. }  
  

 

2.1 使用内嵌Jetty方式启动容器进行

需要添加jetty依赖:

Java代码   收藏代码
  1. <dependency>  
  2.     <groupId>org.eclipse.jetty</groupId>  
  3.     <artifactId>jetty-server</artifactId>  
  4.     <version>${jetty.version}</version>  
  5.     <scope>test</scope>  
  6. </dependency>  
  7. <dependency>  
  8.     <groupId>org.eclipse.jetty</groupId>  
  9.     <artifactId>jetty-webapp</artifactId>  
  10.     <version>${jetty.version}</version>  
  11.     <scope>test</scope>  
  12. </dependency>  

 

如果要测试JSP,请添加

Java代码   收藏代码
  1. <dependency>  
  2.     <groupId>org.eclipse.jetty</groupId>  
  3.     <artifactId>jetty-jsp</artifactId>  
  4.     <version>${jetty.version}</version>  
  5.     <scope>test</scope>  
  6. </dependency>  

版本:<jetty.version>8.1.8.v20121106</jetty.version>

 

 

测试示例( EmbeddedJettyClientTest.java )

Java代码   收藏代码
  1. public   class  EmbeddedJettyClientTest  extends  AbstractClientTest {  
  2.   
  3.      private   static  Server server;  
  4.   
  5.      @BeforeClass   
  6.      public   static   void  beforeClass()  throws  Exception {  
  7.          //创建一个server   
  8.         server =  new  Server( 8080 );  
  9.         WebAppContext context =  new  WebAppContext();  
  10.         String webapp =  "spring-mvc-test/src/main/webapp" ;  
  11.         context.setDescriptor(webapp +  "/WEB-INF/web.xml" );   //指定web.xml配置文件   
  12.         context.setResourceBase(webapp);   //指定webapp目录   
  13.         context.setContextPath( "/" );  
  14.         context.setParentLoaderPriority( true );  
  15.   
  16.         server.setHandler(context);  
  17.         server.start();  
  18.     }  
  19.   
  20.      @AfterClass   
  21.      public   static   void  afterClass()  throws  Exception {  
  22.         server.stop();  //当测试结束时停止服务器   
  23.     }  
  24.   
  25.      @Test   
  26.      public   void  testFindById()  throws  Exception {  
  27.         ResponseEntity<User> entity = restTemplate.getForEntity(baseUri +  "/{id}" , User. class , 1L);  
  28.   
  29.         assertEquals(HttpStatus.OK, entity.getStatusCode());  
  30.         assertThat(entity.getHeaders().getContentType().toString(), containsString(MediaType.APPLICATION_JSON_VALUE));  
  31.         assertThat(entity.getBody(), hasProperty( "name" , is( "zhang" )));  
  32.     }  
  33.      //省略其他,请参考github   
  34. }  
 

 

此处通过内嵌Jetty启动一个web容器,然后使用RestTemplate访问真实的uri进行访问,然后进行断言验证。

 

这种方式的最大的缺点是如果我只测试UserRestController,其他的组件也会加载,属于集成测试,速度非常慢。伴随着Spring Boot项目的发布,我们可以使用Spring Boot进行测试。

 

2.2 使用Spring Boot进行测试

spring boot请参考 spring boot官网  和《 Spring Boot——2分钟构建spring web mvc REST风格HelloWorld 》进行入门。通过spring boot我们可以只加载某个控制器进行测试。更加方便。

 

添加spring-boot-starter-web依赖:

Java代码   收藏代码
  1. <dependency>  
  2.     <groupId>org.springframework.boot</groupId>  
  3.     <artifactId>spring-boot-starter-web</artifactId>  
  4.     <version>${spring.boot.version}</version>  
  5.     <scope>test</scope>  
  6. </dependency>  

版本:<spring.boot.version>0.5.0.BUILD-SNAPSHOT</spring.boot.version>,目前还处于SNAPSHOT版本。

 

 

测试示例( SpringBootClientTest.java )

Java代码   收藏代码
  1. public   class  SpringBootClientTest  extends  AbstractClientTest {  
  2.   
  3.      private   static  ApplicationContext ctx;  
  4.   
  5.      @BeforeClass   
  6.      public   static   void  beforeClass()  throws  Exception {  
  7.         ctx = SpringApplication.run(Config. class );  //启动服务器 加载Config指定的组件   
  8.     }  
  9.   
  10.      @AfterClass   
  11.      public   static   void  afterClass()  throws  Exception {  
  12.         SpringApplication.exit(ctx); //退出服务器   
  13.     }  
  14.   
  15.   
  16.      @Test   
  17.      public   void  testFindById()  throws  Exception {  
  18.         ResponseEntity<User> entity = restTemplate.getForEntity(baseUri +  "/{id}" , User. class , 1L);  
  19.   
  20.         assertEquals(HttpStatus.OK, entity.getStatusCode());  
  21.         assertThat(entity.getHeaders().getContentType().toString(), containsString(MediaType.APPLICATION_JSON_VALUE));  
  22.         assertThat(entity.getBody(), hasProperty( "name" , is( "zhang" )));  
  23.     }  
  24.   
  25.      //省略其他,请参考github   
  26.      
  27.      @Configuration   
  28.      @EnableAutoConfiguration   
  29.      static   class  Config {  
  30.   
  31.          @Bean   
  32.          public  EmbeddedServletContainerFactory servletContainer() {  
  33.              return   new  JettyEmbeddedServletContainerFactory();  
  34.         }  
  35.   
  36.          @Bean   
  37.          public  UserRestController userController() {  
  38.              return   new  UserRestController(userService());  
  39.         }  
  40.   
  41.          @Bean   
  42.          public  UserService userService() {  
  43.              //Mockito请参考 http://stamen.iteye.com/blog/1470066   
  44.             UserService userService = Mockito.mock(UserService. class );  
  45.             User user =  new  User();  
  46.             user.setId(1L);  
  47.             user.setName( "zhang" );  
  48.             Mockito.when(userService.findById(Mockito.any(Long. class ))).thenReturn(user);  
  49.              return  userService;  
  50. //            return new UserServiceImpl(); //此处也可以返回真实的UserService实现   
  51.         }  
  52.     }  
  53.   
  54. }  

 

通过SpringApplication.run启动一个服务器,然后Config.xml是Spring的Java配置方式,此处只加载了UserRestController及其依赖UserService,对于UserService可以通过如Mockito进行模拟/也可以注入真实的实现,Mockito请参考《 单元测试系列之2:模拟利器Mockito 》。可以通过EmbeddedServletContainerFactory子类指定使用哪个内嵌的web容器(目前支持:jetty/tomcat)。

 

这种方式的优点就是速度比内嵌Jetty容器速度快,但是还是不够快且还需要启动一个服务器(开一个端口),因此Spring 3.2提供了模拟Server的方式进行测试。即服务器是通过Mock技术模拟的而不是真的启动一个服务器。

 

上述两种方式对于如果服务还不存在的情况也是无法测试的,因此Mock Server进行测试时最好的选择。

 

2.3 使用Mock Service Server进行测试

通过Mock Service Server方式的优点:

不需要启动服务器;

可以在服务还没写好的情况下进行测试,这样可以进行并行开发/测试。

 

对于Mock Service Server主要操作步骤:

1、通过MockRestServiceServer创建RestTemplate的Mock Server;

2、添加客户端请求断言,即用于判断客户端请求的断言;

3、添加服务端响应,即返回给客户端的响应;

 

为了方便测试,请静态导入:

Java代码   收藏代码
  1. import   static  org.springframework.test.web.client.*;  
  2. import   static  org.springframework.test.web.client.match.MockRestRequestMatchers.*;  
  3. import   static  org.springframework.test.web.client.response.MockRestResponseCreators.*;  

 

测试示例( MockServerClientTest.java )

Java代码   收藏代码
  1. public   class  MockServerClientTest  extends  AbstractClientTest {  
  2.   
  3.      private  MockRestServiceServer mockServer;  
  4.   
  5.      @Before   
  6.      public   void  setUp()  throws  Exception {  
  7.          super .setUp();  
  8.          //模拟一个服务器   
  9.         mockServer = createServer(restTemplate);  
  10.     }  
  11.   
  12.      @Test   
  13.      public   void  testFindById()  throws  JsonProcessingException {  
  14.         String uri = baseUri +  "/{id}" ;  
  15.         Long id = 1L;  
  16.         User user =  new  User();  
  17.         user.setId(1L);  
  18.         user.setName( "zhang" );  
  19.         String userJson = objectMapper.writeValueAsString(user);  
  20.         String requestUri = UriComponentsBuilder.fromUriString(uri).buildAndExpand(id).toUriString();  
  21.   
  22.          //添加服务器端断言   
  23.         mockServer  
  24.                 .expect(requestTo(requestUri))  
  25.                 .andExpect(method(HttpMethod.GET))  
  26.                 .andRespond(withSuccess(userJson, MediaType.APPLICATION_JSON));  
  27.   
  28.          //2、访问URI(与API交互)   
  29.         ResponseEntity<User> entity = restTemplate.getForEntity(uri, User. class , id);  
  30.   
  31.          //3.1、客户端验证   
  32.         assertEquals(HttpStatus.OK, entity.getStatusCode());  
  33.         assertThat(entity.getHeaders().getContentType().toString(), containsString(MediaType.APPLICATION_JSON_VALUE));  
  34.         assertThat(entity.getBody(), hasProperty( "name" , is( "zhang" )));  
  35.   
  36.          //3.2、服务器端验证(验证之前添加的服务器端断言)   
  37.         mockServer.verify();  
  38.     }  
  39.      //省略其他,请参考github   
  40. }  

  

测试步骤:

1、准备测试环境

首先创建RestTemplate,然后通过MockRestServiceServer.createServer(restTemplate)创建一个Mock Server,其会自动设置restTemplate的requestFactory为RequestMatcherClientHttpRequestFactory(restTemplate发送请求时都通过ClientHttpRequestFactory创建ClientHttpRequest)。

2、调用API

即restTemplate.getForEntity(uri, User.class, id)访问rest web service;

3、断言验证

3.1、客户端请求断言验证

如mockServer.expect(requestTo(requestUri)).andExpect(method(HttpMethod.GET)):即会验证之后通过restTemplate发送请求的uri是requestUri,且请求方法是GET;

3.2、服务端响应断言验证

首先通过mockServer.andRespond(withSuccess(new ObjectMapper().writeValueAsString(user), MediaType.APPLICATION_JSON));返回给客户端响应信息;

然后restTemplate就可以得到ResponseEntity,之后就可以通过断言进行验证了;

4、 卸载测试环境

 

对于单元测试步骤请参考: 加速Java应用开发速度3——单元/集成测试+CI

 

2.4 了解测试API

 

MockRestServiceServer

用来创建模拟服务器,其提供了createServer(RestTemplate restTemplate),传入一个restTemplate即可创建一个MockRestServiceServer;在createServer中:

Java代码   收藏代码
  1. MockRestServiceServer mockServer =  new  MockRestServiceServer();  
  2. RequestMatcherClientHttpRequestFactory factory = mockServer. new  RequestMatcherClientHttpRequestFactory();  
  3.   
  4. restTemplate.setRequestFactory(factory);  
即模拟一个ClientHttpRequestFactory,然后设置回RestTemplate,这样所有发送的请求都会到这个MockRestServiceServer。拿到MockRestServiceServer后,接着就需要添加请求断言和返回响应,然后进行验证。

 

 

RequestMatcher/MockRestRequestMatchers

RequestMatcher用于验证请求信息的验证器,即RestTemplate发送的请求的URI、请求方法、请求的Body体内容等等;spring mvc测试框架提供了很多***RequestMatchers来满足测试需求;类似于《Spring MVC测试框架详解——服务端测试》中的***ResultMatchers;注意这些***RequestMatchers并不是ResultMatcher的子类,而是返回RequestMatcher实例的。Spring mvc测试框架为了测试方便提供了MockRestRequestMatchers静态工厂方法方便操作;具体的API如下:

RequestMatcher anything():即请求可以是任何东西;

RequestMatcher requestTo(final Matcher<String> matcher)/RequestMatcher requestTo(final String expectedUri)/RequestMatcher requestTo(final URI uri):请求URI必须匹配某个Matcher/uri字符串/URI;

RequestMatcher method(final HttpMethod method):请求方法必须匹配某个请求方法;

RequestMatcher header(final String name, final Matcher<? super String>... matchers)/RequestMatcher header(final String name, final String... expectedValues):请求头必须匹配某个Matcher/某些值;

ContentRequestMatchers content():获取内容匹配器,然后可以通过如contentType(String expectedContentType)进行ContentType匹配等,具体请参考javadoc;

JsonPathRequestMatchers jsonPath(String expression, Object ... args)/RequestMatcher jsonPath(String expression, Matcher<T> matcher):获取Json路径匹配器/直接进行路径匹配,具体请参考javadoc;

XpathRequestMatchers xpath(String expression, Object... args)/XpathRequestMatchers xpath(String expression, Map<String, String> namespaces, Object... args):获取Xpath表达式匹配器/直接进行Xpath表达式匹配,具体请参考javadoc;

 

ResponseCreator/MockRestResponseCreators

ResponseCreator用于创建返回给客户端的响应信息,spring mvc提供了静态工厂方法MockRestResponseCreators进行操作;具体的API如下:

DefaultResponseCreator withSuccess() :返回给客户端200(OK)状态码响应;

DefaultResponseCreator withSuccess(String body, MediaType mediaType)/DefaultResponseCreator withSuccess(byte[] body, MediaType contentType)/DefaultResponseCreator withSuccess(Resource body, MediaType contentType):返回给客户端200(OK)状态码响应,且返回响应内容体和MediaType;

DefaultResponseCreator withCreatedEntity(URI location):返回201(Created)状态码响应,并返回响应头“Location=location";

DefaultResponseCreator withNoContent() :返回204(NO_CONTENT)状态码响应;

DefaultResponseCreator withBadRequest() :返回400(BAD_REQUEST)状态码响应;

DefaultResponseCreator withUnauthorizedRequest() :返回401(UNAUTHORIZED)状态码响应;

DefaultResponseCreator withServerError() :返回500(SERVER_ERROR)状态码响应;

DefaultResponseCreator withStatus(HttpStatus status):设置自定义状态码;

 

对于DefaultResponseCreator还提供了如下API:

DefaultResponseCreator body(String content) /DefaultResponseCreator body(byte[] content)/DefaultResponseCreator body(Resource resource):内容体响应,对于String content 默认是UTF-8编码的;

DefaultResponseCreator contentType(MediaType mediaType) :响应的ContentType;

DefaultResponseCreator location(URI location) :响应的Location头;

DefaultResponseCreator headers(HttpHeaders headers):设置响应头;

 

2.5 测试示例

 

测试查找

请参考之前的testFindById;

 

测试新增

提交JSON数据进行新增

Java代码   收藏代码
  1. @Test   
  2. public   void  testSaveWithJson()  throws  Exception {  
  3.     User user =  new  User();  
  4.     user.setId(1L);  
  5.     user.setName( "zhang" );  
  6.     String userJson = objectMapper.writeValueAsString(user);  
  7.   
  8.     String uri = baseUri;  
  9.     String createdLocation = baseUri +  "/"  +  1 ;  
  10.   
  11.     mockServer  
  12.             .expect(requestTo(uri))   //验证请求URI   
  13.             .andExpect(jsonPath( "$.name" ).value(user.getName()))  //验证请求的JSON数据   
  14.             .andRespond(withCreatedEntity(URI.create(createdLocation)).body(userJson).contentType(MediaType.APPLICATION_JSON));  //添加响应信息   
  15.   
  16.   
  17.     restTemplate.setMessageConverters(Arrays.<HttpMessageConverter<?>>asList( new  MappingJackson2HttpMessageConverter()));  
  18.     ResponseEntity<User> responseEntity = restTemplate.postForEntity(uri, user, User. class );  
  19.   
  20.     assertEquals(createdLocation, responseEntity.getHeaders().get( "Location" ).get( 0 ));  
  21.     assertEquals(HttpStatus.CREATED, responseEntity.getStatusCode());  
  22.     assertEquals(user, responseEntity.getBody());  
  23.   
  24.     mockServer.verify();  
  25. }  

提交XML数据进行新增

Java代码   收藏代码
  1. @Test   
  2. public   void  testSaveWithXML()  throws  Exception {  
  3.     User user =  new  User();  
  4.     user.setId(1L);  
  5.     user.setName( "zhang" );  
  6.     ByteArrayOutputStream bos =  new  ByteArrayOutputStream();  
  7.     marshaller.marshal(user,  new  StreamResult(bos));  
  8.     String userXml = bos.toString();  
  9.   
  10.     String uri = baseUri;  
  11.     String createdLocation = baseUri +  "/"  +  1 ;  
  12.   
  13.     mockServer  
  14.             .expect(requestTo(uri))   //验证请求URI   
  15.             .andExpect(xpath( "/user/name/text()" ).string(user.getName()))  //验证请求的JSON数据   
  16.             .andRespond(withCreatedEntity(URI.create(createdLocation)).body(userXml).contentType(MediaType.APPLICATION_XML));  //添加响应信息   
  17.   
  18.     restTemplate.setMessageConverters(Arrays.<HttpMessageConverter<?>>asList( new  Jaxb2RootElementHttpMessageConverter()));  
  19.     ResponseEntity<User> responseEntity = restTemplate.postForEntity(uri, user, User. class );  
  20.   
  21.     assertEquals(createdLocation, responseEntity.getHeaders().get( "Location" ).get( 0 ));  
  22.     assertEquals(HttpStatus.CREATED, responseEntity.getStatusCode());  
  23.   
  24.     assertEquals(user, responseEntity.getBody());  
  25.   
  26.     mockServer.verify();  
  27. }  

  

测试修改 

Java代码   收藏代码
  1. @Test   
  2. public   void  testUpdate()  throws  Exception {  
  3.     User user =  new  User();  
  4.     user.setId(1L);  
  5.     user.setName( "zhang" );  
  6.   
  7.     String uri = baseUri +  "/{id}" ;  
  8.   
  9.     mockServer  
  10.             .expect(requestTo(uri))   //验证请求URI   
  11.             .andExpect(jsonPath( "$.name" ).value(user.getName()))  //验证请求的JSON数据   
  12.             .andRespond(withNoContent());  //添加响应信息   
  13.   
  14.     restTemplate.setMessageConverters(Arrays.<HttpMessageConverter<?>>asList( new  MappingJackson2HttpMessageConverter()));  
  15.     ResponseEntity responseEntity = restTemplate.exchange(uri, HttpMethod.PUT,  new  HttpEntity<>(user), (Class)  null , user.getId());  
  16.   
  17.     assertEquals(HttpStatus.NO_CONTENT, responseEntity.getStatusCode());  
  18.   
  19.     mockServer.verify();  
  20. }  

 

测试删除 

Java代码   收藏代码
  1. @Test   
  2. public   void  testDelete()  throws  Exception {  
  3.     String uri = baseUri +  "/{id}" ;  
  4.     Long id = 1L;  
  5.   
  6.     mockServer  
  7.             .expect(requestTo(baseUri +  "/"  + id))   //验证请求URI   
  8.             .andRespond(withSuccess());  //添加响应信息   
  9.   
  10.     ResponseEntity responseEntity = restTemplate.exchange(uri, HttpMethod.DELETE, HttpEntity.EMPTY, (Class)  null , id);  
  11.     assertEquals(HttpStatus.OK, responseEntity.getStatusCode());  
  12.   
  13.     mockServer.verify();  
  14. }  

 

通过Mock Server的最大好处是不需要启动服务器,且不需要服务预先存在就可以测试;如果服务已经存在,通过Spring Boot进行测试也是个不错的选择。

 

 

再来回顾下测试步骤

1、准备测试环境

首先创建RestTemplate,然后通过MockRestServiceServer.createServer(restTemplate)创建一个Mock Server,其会自动设置restTemplate的requestFactory为RequestMatcherClientHttpRequestFactory(restTemplate发送请求时都通过ClientHttpRequestFactory创建ClientHttpRequest)。

2、调用API

即restTemplate.getForEntity(uri, User.class, id)访问rest web service;

3、断言验证

3.1、客户端请求断言验证

如mockServer.expect(requestTo(requestUri)).andExpect(method(HttpMethod.GET)):即会验证之后通过restTemplate发送请求的uri是requestUri,且请求方法是GET;

3.2、服务端响应断言验证

首先通过mockServer.andRespond(withSuccess(new ObjectMapper().writeValueAsString(user), MediaType.APPLICATION_JSON));返回给客户端响应信息;

然后restTemplate就可以得到ResponseEntity,之后就可以通过断言进行验证了;

4、 卸载测试环境

Spring MVC测试框架详解——客户端测试


更多文章、技术交流、商务合作、联系博主

微信扫码或搜索:z360901061

微信扫一扫加我为好友

QQ号联系: 360901061

您的支持是博主写作最大的动力,如果您喜欢我的文章,感觉我的文章对您有帮助,请用微信扫描下面二维码支持博主2元、5元、10元、20元等您想捐的金额吧,狠狠点击下面给点支持吧,站长非常感激您!手机微信长按不能支付解决办法:请将微信支付二维码保存到相册,切换到微信,然后点击微信右上角扫一扫功能,选择支付二维码完成支付。

【本文对您有帮助就好】

您的支持是博主写作最大的动力,如果您喜欢我的文章,感觉我的文章对您有帮助,请用微信扫描上面二维码支持博主2元、5元、10元、自定义金额等您想捐的金额吧,站长会非常 感谢您的哦!!!

发表我的评论
最新评论 总共0条评论