微服务简介以及SpringBoot初体验

微服务简介以及SpringBoot初体验

微服务简介

微服务最早是在2011年5月在意大利威尼斯的一个软件架构会议上讨论并提出的,用于描述一些作为通用架构风格的设计原则。2012年3月在波兰克拉科夫举行的"第33届
学位会议上",ThoughtWorks公司的首席咨询师James Lewis做了题为"Microservices-Java, the Unix Way"的演讲,这次演讲里James讨论了微服务的一些
原则和特征,例如单一服务原则、康威定律、自动拓展、DDD等。

微服务架构则是Fred George在2012年的一次技术大会上锁提出的,在大会的演讲中提讲解了如何拆分服务,以及如何用MQ来进行服务间的解耦,这就是最早的微服务的雏形。
而后由Martin Fowler发扬光大。Martin Fowler在2014年发表了一篇著名的微服务文章 Microservices Guide ,这篇文章深入全篇地讲解了什么是微服务。随后,微服务架构逐渐成为了
一种非常流行的架构模式,越来越多的公司借鉴和使用了微服务架构。

但是微服务并不能"包治百病",不能为了微服务而使用微服务,而是要将业务技术运维有机地结合在一起。

如上引自,《高可用可伸缩微服务架构:基于Dubbo、Spring Cloud和Service Mesh》一书。

Martin Fowler关于微服务的文章概述

In short, the microservice architectural style is an approach to developing a single application
as a suite of small services, each running in its own process and communicating with lightweight mechanisms,
often an HTTP resource API. These services are built around business capabilities and independently
deployable by fully automated deployment machinery. There is a bare minimum of centralized management
of these services, which may be written in different programming languages and use different data storage technologies.

总而言之,微服务架构是一种风格,该风格把开发单一应用拆分为多个小型服务,每个服务拥有独立的进程,并且通过轻量级的机制通讯,通常是HTTP协议。
这些服务围绕着业务功能被构建,并且能够独立部署

什么是SpringBoot

第一节介绍了微服务的概念,那微服务和SpringBoot什么关系呢?

首先是时机上上,springboot处于微服务的大背景下。微服务使用的时机一般是在整个系统相对庞大的情况下,避免牵一发儿全身,因此选择了把一个应用拆分成多个
服务。那么这就涉及到了多个服务工程的创建,众所皆知,在SpringBoot出来之前,Spring的工程中充斥着大量的xml配置文件,俗称配置地狱,在微服务中一个应用
又可能被拆分成多个工程,那么配置的复杂度可想而知。 因此SpringBoot如其名,一键启动,采用了Convention over Configuration的思路,为程序员做了
大量的配置,让创建一个工程/服务,非常的简单。

使用Maven构建SpringBoot工程

环境使用的是:

  • 集成开发工具,IDEA
  • 构建工具,Maven

创建普通的maven工程

创建一个普通的maven工程,目录结构如下:

├── pom.xml
└── src
   ├── main
   └── test

  • pom文件配置

在pom文件中,配置parent标签,用来指定当前maven工程的父工程。指定完父工程的作用是:如果不配置工程的GroupId和Version则默认使用父工程的配置,
依赖的版本号信息如果父模块已经定义,则子模块可以不写默认使用父模块的信息,如果写则可以覆盖父模块的版本信息。



    4.0.0
    
        org.springframework.boot
        spring-boot-starter-parent
        2.4.1
    

    
        
        
            org.springframework.boot
            spring-boot-starter-web
        
    
    

  • 编写启动类

引入依赖之后,接着需要做的就是编写启动类,springboot启动类编写如下:

// 标志该类是SpringBoot的启动类
@SpringBootApplication
public class Application {

    public static void main(String[] args) {
        // 启动SpringBoot
        SpringApplication.run(Application.class, args);
    }

}
  • 编写一个controller
@RestController
public class HelloController {

    @GetMapping("/hello")
    public String hello(){
        return "hello world";
    }

}
  • 测试

接着启动服务,springboot的web服务默认启动的端口是8080。 接着访问127.0.0.1:8080/hello,即可在页面中看到响应。

到此Springboot的一个基本工程搭建完成,难以想象,之前如果想要使用spring搭建一个可以被访问的工程需要那么多的代码,此时此刻使用了springboot
竟然配置如此的简单。

你可能感兴趣的:(微服务简介以及SpringBoot初体验)