Spring cloud Eureka(一)

主要用来实现各个微服务实例的自动化注册与发现,如果通过手动来做,消耗大量人力,极可能发生错误。Eureka服务端提供了完备的RESTful API,也支持其他语言的微服务.
服务注册:服务启动会向服务中心注册自己提供的服务,中心会维护一张清单,然后以心跳的方式去监控清单中的服务是否可用,不可用就从清单中剔除。
服务发现:既然中心有服务的清单了,服务间的调用就不再马上指定具体的地址来实现,而是只指定服务名向注册中心发起请求,得到所有叫这个名的服务的实例的地址,然后选一个实例来访问

服务注册中心
开启 加@EnableEurekaServer注解就行

import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.boot.builder.SpringApplicationBuilder;
import org.springframework.cloud.netflix.eureka.server.EnableEurekaServer;

@EnableEurekaServer
@SpringBootApplication
public class Application {

    public static void main(String[] args) {
        new SpringApplicationBuilder(Application.class).web(true).run(args);
    }

}

application.yml配置

eureka:
    client:
        fetch-registry: false #不需要检索服务
        register-with-eureka: false #不需要注册服务
        serviceUrl:
            defaultZone: http://${eureka.instance.hostname}:${server.port}/eureka/
    instance:
        hostname: localhost
server:
    port: 1111
spring:
    application:
        name: eureka-server #本服务名

一个提供服务的spring boot
也是一个注解开启 @EnableDiscoveryClient

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;

@EnableDiscoveryClient
@SpringBootApplication
public class HelloApplication {

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

}

配置application.yml

server:
    port: 8081
spring:
    application:
        name: hello-service  #本服务名
eureka:
    client:
        serviceUrl:
            defaultZone: http://localhost:1111/eureka/ #注册中心


Eureka也支持高可用,每个注册中心异步互相复制自己的状态.

高可用

就是每个服务注册中心都向其他服务注册中心注册,每个服务提供者向所有服务注册中心注册

服务注册中心 application.yml改成

eureka:
    client:
        #fetch-registry: false #需要检索服务
        #register-with-eureka: false #需要注册服务
        serviceUrl:
            #其他Eureka注册中心
            defaultZone: http://peer2:1112/eureka/.http://peer3:1113/eureka/.
    instance:
        hostname: peer1
server:
    port: 1111
spring:
    application:
        name: eureka-server 

这样注册中心收到一个注册,就会转发给其他注册中心
服务提供方的配置改 defaultZone 把几个Eureka注册中心都写上


服务续约: 默认30s,可配置
失效提出: 默认90s 没续约的 剔除 可配置
服务下线: 服务实例关闭,触发下线的REST请求给注册中心,注册中心把其状态置为DOWN,并转发其他注册中心.
自我保护: 心跳失败比例15分钟低于85%,说明网络不稳定,注册中心现有清单就不变了,可配置关闭

你可能感兴趣的:(Spring cloud Eureka(一))