Java微服务初体验之Sping Boot

微服务架构

微服务架构近年来受到很多人的推崇,什么是微服务架构?先参考一段定义:

微服务架构(Microservices Architecture)是一种架构风格(Architectural Style)和设计模式,提倡将应用分割成一系列细小的服务,每个服务专注于单一业务功能,运行于独立的进程中,服务之间边界清晰,采用轻量级通信机制(如HTTP/REST)相互沟通、配合来实现完整的应用,满足业务和用户的需求。
引用 - 基于容器云的微服务架构实践

简而言之就是服务轻量级化和模块化,可独立部署。其带来的好处包括:解耦合程度更高,屏蔽底层复杂度;技术选型灵活,可方便其他模块调用;易于部署和扩展等。与NodeJs等其他语言相比,Java相对来说实现微服务较为复杂一些,开发一个Web应用需要经历编码-编译打包-部署到Web容器-启动运行四步,但是开源框架Spring Boot的出现,让Java微服务的实现变得很简单,由于内嵌了Web服务器,无需“部署到Web容器”,三步即可实现一个Web微服务。而且由于Spring Boot可以和Spring社区的其他框架进行集成,对于熟悉Spring的开发者来说很容易上手。下面本文会描述一个简易用户管理微服务的实例,初步体验Spring Boot微服务开发。

开发环境

  • JDK 1.8
  • Maven 3.0+
  • Eclipse或其他IDE
  • 本文程序可到github下载

添加依赖

maven的pom.xml配置文件

<project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/maven-v4_0_0.xsd">
    <!-- inherit defaults from Spring Boot -->
    <parent>
    <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-parent</artifactId>
        <version>1.4.0.RELEASE</version>
    </parent>

    <properties>
        <java.version>1.8</java.version>
    </properties>
    <dependencies>
        <!-- Spring Boot starter POMs -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-web</artifactId>
        </dependency>
        <!-- Spring Boot JPA POMs -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-data-jpa</artifactId>
        </dependency>
        <!-- Spring Boot Test POMs -->
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter-test</artifactId>
        </dependency>
        <!-- H2 POMs -->
        <dependency>
            <groupId>com.h2database</groupId>
            <artifactId>h2</artifactId>
        </dependency>
    </dependencies>

    <build>
        <finalName>webapp-springboot-angularjs-seed</finalName>
        <plugins>
            <plugin>
                <groupId>org.springframework.boot</groupId>
                <artifactId>spring-boot-maven-plugin</artifactId>
            </plugin>
        </plugins>
    </build>  
</project>

这里首先继承了spring-boot-starter-parent的默认配置,然后依次引入

  • spring-boot-starter-web 用来构建REST微服务
  • spring-boot-starter-data-jpa 利用JPA用来访问数据库
  • h2 Spring Boot集成的内存数据库
  • spring-boot-starter-test 用来构建单元测试,内含JUnit

程序结构

|____sample
| |____webapp
| | |____ws
| | | |____App.java 启动程序
| | | |____controller
| | | | |____UserController.java 用户管理的RESTful API
| | | |____domain
| | | | |____User.java 用户信息
| | | |____exception
| | | | |____GlobalExceptionHandler.java 异常处理
| | | | |____UserNotFoundException.java 用户不存在的异常
| | | |____repository
| | | | |____UserRepository.java 访问用户数据库的接口
| | | |____rest
| | | | |____RestResultResponse.java Rest请求的状态结果
| | | |____service
| | | | |____UserService.java 用户管理的服务

用SpringApplication实现启动程序

import java.util.Arrays;
import org.springframework.boot.CommandLineRunner;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.annotation.Bean;
import com.leonlu.code.sample.webapp.ws.domain.User;
import com.leonlu.code.sample.webapp.ws.service.UserService;

@SpringBootApplication
public class App {
    @Bean
    CommandLineRunner init(UserService userService) {
        // add 5 new users after app are started
        return (evt) -> Arrays.asList("john,alex,mike,mary,jenny".split(","))
                            .forEach(item -> {
                                User user = new User(item, (int)(20 + Math.random() * 10));
                                userService.addUser(user);});
    }

    public static void main(String[] args) {
        SpringApplication.run(App.class, args);
    }
}

  • @SpringBootApplication相当于@Configuration,@EnableAutoConfiguration,@ComponentScan三个注解。用于自动完成Spring的配置和Bean的构建。
  • main方法中的SpringApplication.run将启动内嵌的Tomcat服务器,默认端口为8080
  • CommandLineRunner用于在启动后调用UserService,创建5个新用户

利用RestController构建Restful API

import java.util.Collection;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.ResponseStatus;
import org.springframework.web.bind.annotation.RestController;
import com.leonlu.code.sample.webapp.ws.domain.User;
import com.leonlu.code.sample.webapp.ws.rest.RestResultResponse;
import com.leonlu.code.sample.webapp.ws.service.UserService;

@RestController
@RequestMapping("/user")
public class UserController {
    private UserService userService;
    @Autowired
    public UserController(UserService userService) {
        this.userService = userService;
    }

    @RequestMapping(method = RequestMethod.GET)
    public Collection<User> getUsers() {
        return userService.getAllUsers();
    }

    @RequestMapping(method = RequestMethod.POST, consumes = "application/json")
    @ResponseStatus(HttpStatus.CREATED)
    public User addUser(@RequestBody User user) {
        if(user.getName() == null || user.getName().isEmpty()) {
            throw new IllegalArgumentException("Parameter 'name' must not be null or empty");
        }
        if(user.getAge() == null) {
            throw new IllegalArgumentException("Parameter 'age' must not be null or empty");
        }
        return userService.addUser(user);
    }

    @RequestMapping(value="/{id}", method = RequestMethod.GET)
    public User getUser(@PathVariable("id") Long id) {
        return userService.getUserById(id);
    }

    @RequestMapping(value="/{id}", method = RequestMethod.PUT, consumes = "application/json")
    public User updateUser(@PathVariable("id") String id, @RequestBody User user) {
        if(user.getName() == null && user.getAge() == null) {
            throw new IllegalArgumentException("Parameter 'name' and 'age' must not both be null");
        }
        return userService.addUser(user);
    }

    @RequestMapping(value="/{id}", method = RequestMethod.DELETE)
    public RestResultResponse deleteUser(@PathVariable("id") Long id) {
        try {
            userService.deleteUser(id);
            return new RestResultResponse(true);
        } catch(Exception e) {
            return new RestResultResponse(false, e.getMessage());
        }
    }
}
  • UserController的构造方法注入了userService,后者提供了用户管理的基本方法
  • 所有方法的默认的Http返回状态是200,addUser方法通过添加@ResponseStatus(HttpStatus.CREATED)注解,将返回状态设置为201。方法中抛出的异常的默认Http返回状态为500,而IllegalArgumentException的状态由于在GlobalExceptionHandler中做了定义,设置为了400 bad request.
  • deleteUser()外,其余方法的返回结果皆为User对象,在Http结果中Spring Boot会自动转换为Json格式。而deleteUser()的返回结果RestResultResponse,是自定义的操作结果的状态

利用CrudRepository访问数据库

import java.util.Optional;
import org.springframework.data.repository.CrudRepository;
import com.leonlu.code.sample.webapp.ws.domain.User;

public interface UserRepository extends CrudRepository<User, Long> {
    Optional<User> findByName(String name);
}
  • CrudRepository提供了save(),findAll(), findOne()等通用的JPA方法,这里自定义了findByName方法,相当于执行"select a from User a where a.username = :username"查询
  • 这里仅需要定义UserRepository的接口,Spring Boot会自动定义其实现类

UserService封装用户管理基本功能

import java.util.ArrayList;
import java.util.Collection;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import com.leonlu.code.sample.webapp.ws.domain.User;
import com.leonlu.code.sample.webapp.ws.exception.UserNotFoundException;
import com.leonlu.code.sample.webapp.ws.repository.UserRepository;

@Service
public class UserService {
    private UserRepository userRepository;

    @Autowired
    public UserService(UserRepository userRepository) {
        this.userRepository = userRepository;
    }

    public Collection<User> getAllUsers() {
        Iterable<User> userIter = userRepository.findAll();
        ArrayList<User> userList = new ArrayList<User>();
        userIter.forEach(item -> {
            userList.add(item);
        });
        return userList;
    }

    public User getUserById(Long id) {
        User user =  userRepository.findOne(id);
        if(user == null) {
            throw new UserNotFoundException(id);
        }
        return user;
    }

    public User getUserByName(String name) {
        return userRepository.findByName(name)
            .orElseThrow(() -> new UserNotFoundException(name));
    }

    public User addUser(User user) {
        return userRepository.save(user);
    }

    public User updateUser(User user) {
        return userRepository.save(user);
    }

    public void deleteUser(Long id) {
        userRepository.delete(id);
    }
}
  • getUserById()getUserByName()中,对于不存在的用户,会抛出UserNotFoundException异常。这是一个自定义异常,其返回状态为HttpStatus.NOT_FOUND,即404:
    import org.springframework.http.HttpStatus;
    import org.springframework.web.bind.annotation.ResponseStatus;
    
    @ResponseStatus(HttpStatus.NOT_FOUND)
    public class UserNotFoundException extends RuntimeException{
        public UserNotFoundException(Long userId) {
            super("could not find user '" + userId + "'.");
        }
        public UserNotFoundException(String userName) {
            super("could not find user '" + userName + "'.");
        }
    }
    
    示例效果如下:
    $ curl localhost:8080/user/12 -i
    HTTP/1.1 404
    Content-Type: application/json;charset=UTF-8
    Transfer-Encoding: chunked
    Date: Sun, 20 Aug 2016 14:00:41 GMT
    
    {"timestamp":1471788041171,"status":404,"error":"Not Found","exception":"com.leonlu.code.sample.webapp.ws.exception.UserNotFoundException","message":"could not find user '12'.","path":"/user/12"}
    

利用ControllerAdvice完成异常处理

import java.io.IOException;
import javax.servlet.http.HttpServletResponse;
import org.springframework.http.HttpStatus;
import org.springframework.web.bind.annotation.ControllerAdvice;
import org.springframework.web.bind.annotation.ExceptionHandler;

@ControllerAdvice
public class GlobalExceptionHandler {
    @ExceptionHandler(value = IllegalArgumentException.class)  
    public void handleException(Exception e, HttpServletResponse response) throws IOException{
        response.sendError(HttpStatus.BAD_REQUEST.value());
    }  
}
  • 要修改Spring Boot的默认异常返回结果,除了通过对自定义对异常添加@ResponseStatus注解之外(如上文中的UserNotFoundException),开发者可通过@ExceptionHandler注解对某些异常的返回状态和返回结果进行自定义。
  • @ControllerAdvice的作用是对全局的Controller进行统一的设置

用Maven打包并运行

  • 打包 mvn clean package
  • 运行 java -jar JAR_NAME
  • 用curl访问localhost:8080/user验证结果
    $ curl -i localhost:8080/user
    HTTP/1.1 200
    Content-Type: application/json;charset=UTF-8
    Transfer-Encoding: chunked
    Date: Sun, 20 Aug 2016 14:32:06 GMT
    
    [{"id":1,"name":"john","age":29},{"id":2,"name":"alex","age":29},{"id":3,"name":"mike","age":27},{"id":4,"name":"mary","age":21},{"id":5,"name":"jenny","age":27}]
    

总结

基于Spring Boot可快速构建Java微服务,而且官方提供了与Docker,Redis,JMS等多种组件集成的功能,有丰富的文档可供参考,值得大家尝试。

参考

  1. Building REST services with Spring
  2. Accessing Data with JPA
  3. Spring Boot Reference Guide
  4. SpringBoot : How to do Exception Handling in Rest Application
  5. Post JSON to spring REST webservice

扩展阅读

  1. 互联网架构为什么要做服务化?
  2. 微服务架构多“微”才合适?

<small>阅读原文</small>

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,884评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,755评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,369评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,799评论 1 285
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,910评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,096评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,159评论 3 411
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,917评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,360评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,673评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,814评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,509评论 4 334
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,156评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,882评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,123评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,641评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,728评论 2 351

推荐阅读更多精彩内容

  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,638评论 18 139
  • Spring Boot 参考指南 介绍 转载自:https://www.gitbook.com/book/qbgb...
    毛宇鹏阅读 46,778评论 6 342
  • 构建用户管理微服务翻译自:https://springuni.com 构建用户管理微服务(一):定义领域模型和 R...
    极乐君阅读 1,523评论 0 10
  • 《Spring Boot开发:从0到1》 大纲结构v2.0 第一部分Spring Boot基础 第1章 Sprin...
    光剑书架上的书阅读 10,944评论 1 70
  • 感赏韵谦的课程启发我几剪刀轻松获得几条漂亮流行的裤子;感赏女儿的自控力,刷QQ到点自动放下手机;感赏老公中午做得好...
    悄然h阅读 142评论 0 0