Spring Cloud[Finchley]服务治理:服务提供者Eureka Client

创建一个服务提供者的module

当client向server注册时,它会提供一些元数据,例如主机和端口,URL,主页等。Eureka server 从每个client实例接收心跳消息。 如果心跳超时,则通常将该实例从注册server中删除。

  1. 右键工程->创建model-> 选择spring initialir
  2. 设置Group和Artifact
  3. 选择cloud discovery->eureka Discovery


    Spring Cloud[Finchley]服务治理:服务提供者Eureka Client_第1张图片
    eureka Discovery
  4. EurekaclientApplication类
package com.github.davidji80.springcloud.eurekaclient;

import org.springframework.beans.factory.annotation.Value;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.netflix.eureka.EnableEurekaClient;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;

@SpringBootApplication
@EnableEurekaClient
@RestController
public class EurekaclientApplication {

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

    @Value("${server.port}")
    String port;
    @RequestMapping("/hi")
    public String home(@RequestParam String name) {
        return "hi "+name+",i am from port:" +port;
    }
}
  1. application.yml配置文件
eureka:
  client:
    serviceUrl:
      defaultZone: http://localhost:8761/eureka/
server:
  port: 8762
spring:
  application:
    name: service-hi

需要指明spring.application.name,这个很重要,这在以后的服务与服务之间相互调用一般都是根据这个name 。 通过spring.application.name属性,我们可以指定微服务的名称后续在调用的时候只需要使用该名称就可以进行服务的访问。eureka.client.serviceUrl.defaultZone属性对应服务注册中心的配置内容,指定服务注册中心的位置。为了在本机上测试区分服务提供方和服务注册中心,使用server.port属性设置不同的端口。

  1. 启动工程,打开http://localhost:8761 ,即eureka server 的网址:
    Spring Cloud[Finchley]服务治理:服务提供者Eureka Client_第2张图片
    注册中心

    你会发现一个服务已经注册在服务中了,服务名为SERVICE-HI ,端口为7862
    这时打开 http://localhost:8762/hi?name=david ,你会在浏览器上看到
hi david,i am from port:8762

代码

https://github.com/DavidJi80/springcloud/
tag v0.2

在eurekaclient新增一个服务

  1. 实现/dc请求处理接口,通过DiscoveryClient对象,打印出服务实例的相关内容。
package com.github.davidji80.springcloud.eurekaclient.controller;

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.cloud.client.discovery.DiscoveryClient;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;

@RestController
public class DcController {
    @Autowired
    DiscoveryClient discoveryClient;

    @GetMapping("/dc")
    public String dc() {
        String services = "Services: " + discoveryClient.getServices();
        System.out.println(services);
        return services;
    }
}

你可能感兴趣的:(Spring Cloud[Finchley]服务治理:服务提供者Eureka Client)