1. 程式人生 > 其它 >Feign中的引數傳遞(1.需要在服務API中編寫,2.需要在Provider編寫。Consumer中直接呼叫)

Feign中的引數傳遞(1.需要在服務API中編寫,2.需要在Provider編寫。Consumer中直接呼叫)

  重寫介面的寫法

1.單個引數傳遞:藉助@RequestParam註解實現

服務API專案

 

 

Provider專案

 

 


    2.多個引數傳遞

        a.GET請求方式:藉助@RequestParam註解實現,多個引數使用“,”分隔

        b.POST請求方式:藉助@RequestBody註解實現

服務API專案

   

Provider專案

    -----------------------------------------------------------另一種寫法

4.2 Feign的快速入門

匯入依賴


<dependency>
   <groupId>org.springframework.cloud</groupId>
   <artifactId>spring-cloud-starter-openfeign</artifactId>
</dependency>

 

新增一個註解


@EnableFeignClients

 

建立一個介面,並且和Search模組做對映


@FeignClient("SEARCH")   // 指定服務名稱
public interface SearchClient {
   
   // value -> 目標服務的請求路徑,method -> 對映請求方式
   @RequestMapping(value = "/search",method = RequestMethod.GET)
   String search();

}

 

測試使用


@Autowired
private SearchClient searchClient;

@GetMapping("/customer")
public String customer(){
   String result = searchClient.search();
   return result;
}

 

4.3 Feign的傳遞引數方式

注意事項

  • 如果你傳遞的引數,比較複雜時,預設會採用POST的請求方式。

  • 傳遞單個引數時,推薦使用@PathVariable,如果傳遞的單個引數比較多,這裡也可以採用@RequestParam,不要省略value屬性

  • 傳遞物件資訊時,統一採用json的方式,新增@RequestBody

  • Client介面必須採用@RequestMapping

在Search模組下準備三個方法


@GetMapping("/search/{id}")
public Customer findById(@PathVariable Integer id){
   return new Customer(1,"張三",23);
}

@GetMapping("/getCustomer")
public Customer getCustomer(@RequestParam Integer id,@RequestParam String name){
   return new Customer(id,name,23);
}

@PostMapping("/save")            
public Customer save(@RequestBody Customer customer){
   return customer;
}

 

封裝Customer模組下的Controller


@GetMapping("/customer/{id}")
public Customer findById(@PathVariable Integer id){
   return searchClient.findById(id);
}

@GetMapping("/getCustomer")
public Customer getCustomer(@RequestParam Integer id, @RequestParam String name){
   return searchClient.getCustomer(id,name);
}

@GetMapping("/save")            // 會自動轉換為POST請求 405
public Customer save(Customer customer){
   return searchClient.save(customer);
}

 

再封裝Client介面 標識


@RequestMapping(value = "/search/{id}",method = RequestMethod.GET)
Customer findById(@PathVariable(value = "id") Integer id);

@RequestMapping(value = "/getCustomer",method = RequestMethod.GET)
Customer getCustomer(@RequestParam(value = "id") Integer id, @RequestParam(value = "name") String name);

@RequestMapping(value = "/save",method = RequestMethod.POST)
Customer save(@RequestBody Customer customer);