「労働者が自分の仕事をうまくやりたいなら、まず自分の道具を研ぎ澄まさなければなりません。」 - 孔子、「論語。陸霊公」
表紙 > プログラミング > Spring Boot を使用した最初のマイクロサービス システムの構築: 初心者ガイド

Spring Boot を使用した最初のマイクロサービス システムの構築: 初心者ガイド

2024 年 11 月 7 日に公開
ブラウズ:480

Building Your First Microservice System with Spring Boot: A Beginners Guide

Introduction

In this guide, we'll walk through the creation of a simple yet comprehensive microservices system using Spring Boot. We will cover the basics of microservices, setting up the required environment, and implementing two microservices: OrderService and InventoryService. Additionally, we'll integrate service discovery using Eureka and an API Gateway to manage routing between the services.

What is a Microservice?

Microservices are a software architecture style where an application is built as a collection of small, independent services that work together. Each service is self-contained and communicates with others through well-defined APIs, making the system more flexible, scalable, and easier to manage.

System Architecture

The architecture of our system will consist of two microservices: OrderService and InventoryService. The OrderService will use a relational database (MySQL) to store order details, while the InventoryService will use a NoSQL database (MongoDB) for managing inventory data. We'll also implement service discovery with Eureka and use an API Gateway for routing requests.

Project Setup

Before we begin, ensure you have the following tools installed:

  • IDE: IntelliJ IDEA (preferred) or Eclipse
  • JDK: Version 17 or later
  • Build Tool: Maven
  • Databases: MySQL and MongoDB

Microservice 1: Order Service

Step 1: Initialize the Project

  1. Go to Spring Initializr.
  2. Fill in the project details:
    • Project: Maven Project
    • Language: Java
    • Spring Boot: 2.5.7 (or a compatible version)
    • Group: com.ordersystem
    • Artifact: order-service
    • Name: order-service
    • Package name: com.ordersystem.orderservice
    • Packaging: Jar
    • Java: 17
  3. Add the following dependencies:
    • Spring Web
    • Spring Data JPA
    • MySQL Driver
    • Lombok
  4. Click Generate to download the project. Extract the downloaded zip file and open it in your IDE.

Step 2: Configure the Application

Open the application.properties file in src/main/resources and add the following configuration:

spring.datasource.url=jdbc:mysql://localhost:3306/orderservice
spring.datasource.username=root
spring.datasource.password=yourpassword
spring.datasource.driver-class-name=com.mysql.cj.jdbc.Driver
spring.jpa.hibernate.ddl-auto=update
spring.jpa.show-sql=true
spring.jpa.properties.hibernate.dialect=org.hibernate.dialect.MySQL8Dialect
server.port=8081

Step 3: Implement the Model

Create the Order entity class in src/main/java/com/ordersystem/orderservice/model/Order.java:

package com.ordersystem.orderservice.model;

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;

import javax.persistence.*;

@Data
@AllArgsConstructor
@NoArgsConstructor
@Entity
@Table(name = "orders")
public class Order {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;
    private String product;
    private int quantity;
    private double price;
}

Step 4: Create the Repository

Create the OrderRepository interface in src/main/java/com/ordersystem/orderservice/repository/OrderRepository.java:

package com.ordersystem.orderservice.repository;

import com.ordersystem.orderservice.model.Order;
import org.springframework.data.jpa.repository.JpaRepository;

public interface OrderRepository extends JpaRepository {
}

Step 5: Implement the Service

Create the OrderService class in src/main/java/com/ordersystem/orderservice/service/OrderService.java:

package com.ordersystem.orderservice.service;

import com.ordersystem.orderservice.model.Order;
import com.ordersystem.orderservice.repository.OrderRepository;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;

import java.util.List;

@Service
public class OrderService {
    @Autowired
    private OrderRepository orderRepository;

    public List getAllOrders() {
        return orderRepository.findAll();
    }

    public Order getOrderById(Long id) {
        return orderRepository.findById(id).orElse(null);
    }

    public Order createOrder(Order order) {
        return orderRepository.save(order);
    }

    public void deleteOrder(Long id) {
        orderRepository.deleteById(id);
    }
}

Step 6: Create the Controller

Create the OrderController class in src/main/java/com/ordersystem/orderservice/controller/OrderController.java:

package com.ordersystem.orderservice.controller;

import com.ordersystem.orderservice.model.Order;
import com.ordersystem.orderservice.service.OrderService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;

import java.util.List;

@RestController
@RequestMapping("/api/orders")
public class OrderController {
    @Autowired
    private OrderService orderService;

    @GetMapping
    public List getAllOrders() {
        return orderService.getAllOrders();
    }

    @GetMapping("/{id}")
    public Order getOrderById(@PathVariable Long id) {
        return orderService.getOrderById(id);
    }

    @PostMapping
    public Order createOrder(@RequestBody Order order) {
        return orderService.createOrder(order);
    }

    @DeleteMapping("/{id}")
    public void deleteOrder(@PathVariable Long id) {
        orderService.deleteOrder(id);
    }
}

Microservice 2: Inventory Service

Step 1: Initialize the Project

  1. Go to Spring Initializr.
  2. Fill in the project details:
    • Project: Maven Project
    • Language: Java
    • Spring Boot: 2.5.7 (or a compatible version)
    • Group: com.ordersystem
    • Artifact: inventory-service
    • Name: inventory-service
    • Package name: com.ordersystem.inventoryservice
    • Packaging: Jar
    • Java: 17
  3. Add the following dependencies:
    • Spring Web
    • Spring Data MongoDB
    • Lombok
  4. Click Generate to download the project. Extract the downloaded zip file and open it in your IDE.

Step 2: Configure the Application

Open the application.properties file in src/main/resources and add the following configuration:

spring.data.mongodb.uri=mongodb://localhost:27017/inventoryservice
server.port=8082

Step 3: Implement the Model

Create the InventoryItem entity class in src/main/java/com/ordersystem/inventoryservice/model/InventoryItem.java:

package com.ordersystem.inventoryservice.model;

import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;
import org.springframework.data.annotation.Id;
import org.springframework.data.mongodb.core.mapping.Document;

@Data
@AllArgsConstructor
@NoArgsConstructor
@Document(collection = "inventory")
public class InventoryItem {
    @Id
    private String id;
    private String product;
    private int quantity;
}

Step 4: Create the Repository

Create the InventoryRepository interface in src/main/java/com/ordersystem/inventoryservice/repository/InventoryRepository.java:

package com.ordersystem.inventoryservice.repository;

import com.ordersystem.inventoryservice.model.InventoryItem;
import org.springframework.data.mongodb.repository.MongoRepository;

public interface InventoryRepository extends MongoRepository {
}

Step 5: Implement the Service

Create the InventoryService class in src/main/java/com/ordersystem/inventoryservice/service/InventoryService.java:

package com.ordersystem.inventoryservice.service;

import com.ordersystem.inventoryservice.model.InventoryItem;
import com.ordersystem.inventoryservice.repository.InventoryRepository;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;

import java.util.List;

@Service
public class InventoryService {
    @Autowired
    private InventoryRepository inventoryRepository;

    public List getAllItems() {
        return inventoryRepository.findAll();
    }

    public InventoryItem getItemById(String id) {
        return inventoryRepository.findById(id).orElse(null);
    }

    public InventoryItem createItem(InventoryItem item) {
        return inventoryRepository.save(item);
    }

    public void deleteItem(String id) {
        inventoryRepository.deleteById(id);
    }
}

Step 6: Create the Controller

Create the InventoryController class in src/main/java/com/ordersystem/inventoryservice/controller/InventoryController.java:

package com.ordersystem.inventoryservice.controller;

import com.ordersystem.inventoryservice.model.InventoryItem;
import com.ordersystem.inventoryservice.service.InventoryService;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;

import java.util.List;

@RestController
@RequestMapping("/api/inventory")
public class InventoryController {
    @Autowired
    private InventoryService inventoryService;

    @GetMapping
    public List getAllItems() {
        return inventoryService.getAllItems();
    }

    @GetMapping("/{id}")
    public InventoryItem getItemById(@PathVariable String id) {
        return inventoryService.getItemById(id);
    }

    @PostMapping
    public InventoryItem createItem(@RequestBody InventoryItem item) {
        return inventoryService.createItem(item);
    }

    @DeleteMapping("/{id}")
    public void deleteItem(@PathVariable String id) {
        inventoryService.delete

Item(id);
    }
}

Service Discovery with Eureka

Step 1: Initialize the Eureka Server

  1. Go to Spring Initializr.
  2. Fill in the project details:
    • Project: Maven Project
    • Language: Java
    • Spring Boot: 2.5.7 (or a compatible version)
    • Group: com.ordersystem
    • Artifact: eureka-server
    • Name: eureka-server
    • Package name: com.ordersystem.eurekaserver
    • Packaging: Jar
    • Java: 17
  3. Add the Eureka Server dependency.
  4. Click Generate to download the project. Extract the downloaded zip file and open it in your IDE.

Step 2: Configure the Eureka Server

Open the application.properties file in src/main/resources and add the following configuration:

server.port=8761
eureka.client.register-with-eureka=false
eureka.client.fetch-registry=false

Step 3: Enable Eureka Server

Annotate the main application class in src/main/java/com/ordersystem/eurekaserver/EurekaServerApplication.java with @EnableEurekaServer:

package com.ordersystem.eurekaserver;

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

@SpringBootApplication
@EnableEurekaServer
public class EurekaServerApplication {
    public static void main(String[] args) {
        SpringApplication.run(EurekaServerApplication.class, args);
    }
}

Integrate Services with Eureka

Add the Eureka client dependency to both OrderService and InventoryService:

org.springframework.cloudspring-cloud-starter-netflix-eureka-client

Add Eureka client configuration to the application.properties files:

Order Service:

eureka.client.service-url.defaultZone=http://localhost:8761/eureka/
spring.application.name=order-service

Inventory Service:

eureka.client.service-url.defaultZone=http://localhost:8761/eureka/
spring.application.name=inventory-service

API Gateway

Step 1: Initialize the API Gateway

  1. Go to Spring Initializr.
  2. Fill in the project details:
    • Project: Maven Project
    • Language: Java
    • Spring Boot: 2.5.7 (or a compatible version)
    • Group: com.ordersystem
    • Artifact: api-gateway
    • Name: api-gateway
    • Package name: com.ordersystem.apigateway
    • Packaging: Jar
    • Java: 17
  3. Add the Gateway and Eureka Discovery Client dependencies.
  4. Click Generate to download the project. Extract the downloaded zip file and open it in your IDE.

Step 2: Configure the API Gateway

Open the application.yml file in src/main/resources and add the following configuration:

server:
  port: 8080

spring:
  application:
    name: api-gateway
  cloud:
    gateway:
      routes:
        - id: order-service
          uri: lb://order-service
          predicates:
            - Path=/api/orders/**
        - id: inventory-service
          uri: lb://inventory-service
          predicates:
            - Path=/api/inventory/**

eureka:
  client:
    service-url:
      defaultZone: http://localhost:8761/eureka/

Step 3: Enable Discovery Client

Annotate the main application class in src/main/java/com/ordersystem/apigateway/ApiGatewayApplication.java with @EnableDiscoveryClient:

package com.ordersystem.apigateway;

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

@SpringBootApplication
@EnableDiscoveryClient
public class ApiGatewayApplication {
    public static void main(String[] args) {
        SpringApplication.run(ApiGatewayApplication.class, args);
    }
}

Testing the Microservices

  1. Start Eureka Server: Run the Eureka Server application.
  2. Start Order Service: Run the Order Service application.
  3. Start Inventory Service: Run the Inventory Service application.
  4. Start API Gateway: Run the API Gateway application.

Use Postman or any other API client to test the endpoints through the API Gateway:

  • Create Order: POST http://localhost:8080/api/orders
  • Get Orders: GET http://localhost:8080/api/orders
  • Create Inventory Item: POST http://localhost:8080/api/inventory
  • Get Inventory Items: GET http://localhost:8080/api/inventory

Conclusion

In this guide, we've built a simple microservices system using Spring Boot. We created two microservices (OrderService and InventoryService), integrated service discovery with Eureka, and set up an API Gateway for routing requests. This architecture allows for scalable and maintainable microservices that can be easily extended in the future.

リリースステートメント この記事は次の場所に転載されています: https://dev.to/isaactony/building-your-first-microservice-system-with-spring-boot-a-beginners-guide-3b28?1 侵害がある場合は、study_golang にご連絡ください。 @163.com 削除
最新のチュートリアル もっと>
  • Mac OS X で複数の Java バージョンを効果的に管理するにはどうすればよいですか?
    Mac OS X で複数の Java バージョンを効果的に管理するにはどうすればよいですか?
    Mac OS X での複数の Java バージョンの管理Mac OS X で開発する場合、互換性要件が異なるさまざまなプロジェクトに複数の Java バージョンが必要になる場合があります。この記事では、Mac に複数の Java バージョンを効果的にインストールして管理する方法について説明します。H...
    プログラミング 2024 年 11 月 7 日に公開
  • Neowith Java をマスターする: セットアップ、クエリ、トランザクション、視覚化
    Neowith Java をマスターする: セットアップ、クエリ、トランザクション、視覚化
    Neo4j は、高度に接続されたデータの管理に優れた強力なグラフ データベースです。 Java と組み合わせると、複雑な関係モデリングを必要とするアプリケーションを構築するための堅牢なソリューションが提供されます。この投稿では、Java で Neo4j を使用するための基本を説明し、セットアップ、ク...
    プログラミング 2024 年 11 月 7 日に公開
  • JavaScript の主なバグ (およびその回避方法)
    JavaScript の主なバグ (およびその回避方法)
    JavaScript は非常に強力で適応性のある言語ですが、検出が難しい問題が発生する可能性もあります。このブログ記事では、開発者が JavaScript を使用する際に発見する最も一般的な 5 つの欠陥と、これらの問題の理由と解決策を見ていきます。経験豊富な開発者であっても、初心者であっても、これ...
    プログラミング 2024 年 11 月 7 日に公開
  • Laravel モデルでの熱心にロードされた関係を制限する
    Laravel モデルでの熱心にロードされた関係を制限する
    導入 Laravel モデルにリレーションシップを熱心に読み込む場合、返される関連モデルの数を制限したい場合があります。 たとえば、ブログ プラットフォームでは、システム内のすべての著者とその 3 つの投稿を読み込むことができます。 Laravel の古いバージョンでは、熱心にロー...
    プログラミング 2024 年 11 月 7 日に公開
  • GDB を使用して C++ でベクター要素を印刷する方法
    GDB を使用して C++ でベクター要素を印刷する方法
    GDB 経由で C でベクトル要素を出力GDB で C コードをデバッグする場合、std::vector の内容を調べるのは困難な場合があります。たとえば、myVector という名前の std::vector について考えてみましょう。要素を効果的に出力するにはどうすればよいですか?GCC 4.1...
    プログラミング 2024 年 11 月 7 日に公開
  • 異なるブラウザ間でドロップダウン リストの幅をカスタマイズするにはどうすればよいですか?
    異なるブラウザ間でドロップダウン リストの幅をカスタマイズするにはどうすればよいですか?
    IE ドロップダウン リストの幅の変更Internet Explorer では、ドロップダウン リストはドロップボックスの幅を反映しますが、Firefox では、ドロップダウン リストはドロップボックスの幅に適応します。内容。この制約により、最長の選択範囲を収容するためにドロップボックスを拡張する必...
    プログラミング 2024 年 11 月 7 日に公開
  • C++ で書式設定するときに出力文字列を右揃えにする方法
    C++ で書式設定するときに出力文字列を右揃えにする方法
    C での右揃えによる出力文字列の書式設定 座標などのデータを含むテキスト ファイルを処理する場合、項目を列に揃える必要があります適切なフォーマットのために問題が発生することがよくあります。 C では、この位置合わせを実現するには出力文字列の操作が重要です。この記事では、出力文字列の右揃えの問題に対処...
    プログラミング 2024 年 11 月 7 日に公開
  • CSS グラデーション ジェネレーター
    CSS グラデーション ジェネレーター
    シリーズ「無料 CSS ツール」へようこそ。 このシリーズでは、完全に無料で使いやすい CSS ツールを紹介します。 このツールの使用方法について説明した後、そのツールへのリンクを共有します。 ツール リンク: このツールは webdevtales.com で入手できます。 ツール...
    プログラミング 2024 年 11 月 7 日に公開
  • ひとくちサイズの関数がコーディングの英雄になれる理由
    ひとくちサイズの関数がコーディングの英雄になれる理由
    コード愛好家の皆さん、こんにちは! ?無限の行の海の中で迷って、ある機能がどこで終わり、別の機能がどこで始まるのか疑問に思ったことはありませんか?私たちは皆、そこに行ったことがある。今日は、コードをより小さく管理しやすいチャンクに分割することが単なるベスト プラクティスではなく、開発スキルとキャリア...
    プログラミング 2024 年 11 月 7 日に公開
  • JavaScript の変数名におけるドル記号の意味は何ですか?
    JavaScript の変数名におけるドル記号の意味は何ですか?
    JavaScript 変数名にドル記号を使用する理由提供されている JavaScript コードには、「$item」という名前の変数が含まれています。質問: 変数名のドル記号の目的は何ですか?JavaScript では、変数名の先頭にあるドル記号はインタープリタにとって特別な意味を持ちません。これは...
    プログラミング 2024 年 11 月 7 日に公開
  • Laravel での認可 - 初心者ガイド
    Laravel での認可 - 初心者ガイド
    Laravel で認可をマスターする: ゲート vs. ポリシー クラス ?? 最新の Web アプリケーションでは、リソースにアクセスまたは変更できるユーザーを制御することが重要です。たとえば、ブログ アプリケーションでは、投稿の所有者のみが投稿を編集または削除できるようにしたい...
    プログラミング 2024 年 11 月 7 日に公開
  • Laravel の列挙型言語
    Laravel の列挙型言語
    報告 私が取り組んだプロジェクトには、変更されない値が定義された選択フィールドがありました。そこで、この選択内の項目をリストするために、列挙クラスを作成し、これらの値を記述することにしました。ただし、プロジェクトは英語とスペイン語をサポートする必要があり、選択オプションのテキストは、それぞれの列挙項...
    プログラミング 2024 年 11 月 7 日に公開
  • 「モジュール vs メイン: package.json の現代のヒーロー vs ヴィンテージの伝説!」
    「モジュール vs メイン: package.json の現代のヒーロー vs ヴィンテージの伝説!」
    モジュールフィールドとは何ですか? package.json のモジュール フィールドは、ESM (ES6 モジュール) のエントリ ポイントを指定します。 CommonJS モジュール (require()) 用に設計されたメイン フィールドとは異なり、モジュールは、JavaSc...
    プログラミング 2024 年 11 月 7 日に公開
  • CSS ファイル内で変数のような動作を実現するにはどうすればよいでしょうか?
    CSS ファイル内で変数のような動作を実現するにはどうすればよいでしょうか?
    CSS ファイル内の変数の宣言と使用法CSS では、スタイルシート全体で特定の値を再利用する必要がよくあります。明示的な変数宣言構文はありませんが、この機能を実現する手法はあります。1 つのアプローチは、CSS セレクターとスタイル ルールを利用することです。関連するスタイルを 1 つのルールに基づ...
    プログラミング 2024 年 11 月 7 日に公開
  • テキストから絵文字を削除する基本関数を PHP で記述する方法
    テキストから絵文字を削除する基本関数を PHP で記述する方法
    PHP での単純な RemoveEmoji 関数の作成オンライン テキストの処理では、特に Instagram のコメントなどの場合、絵文字の削除が必要になることがよくあります。この記事では、PHP の preg_replace 関数を利用して、特定のテキストから絵文字を効果的に削除することで、この...
    プログラミング 2024 年 11 月 7 日に公開

免責事項: 提供されるすべてのリソースの一部はインターネットからのものです。お客様の著作権またはその他の権利および利益の侵害がある場合は、詳細な理由を説明し、著作権または権利および利益の証拠を提出して、電子メール [email protected] に送信してください。 できるだけ早く対応させていただきます。

Copyright© 2022 湘ICP备2022001581号-3