優化if...else...語句

来源:https://www.cnblogs.com/cjsblog/archive/2023/01/16/17055846.html
-Advertisement-
Play Games

寫代碼的時候經常遇到這樣的場景:根據某個欄位值來進行不同的邏輯處理。例如,不同的會員等級在購物時有不同的折扣力度。如果會員的等級很多,那麼代碼中與之相關的if...elseif...else...會特別長,而且每新增一種等級時需要修改原先的代碼。可以用策略模式來優化,消除這種場景下的if...els ...


寫代碼的時候經常遇到這樣的場景:根據某個欄位值來進行不同的邏輯處理。例如,不同的會員等級在購物時有不同的折扣力度。如果會員的等級很多,那麼代碼中與之相關的if...elseif...else...會特別長,而且每新增一種等級時需要修改原先的代碼。可以用策略模式來優化,消除這種場景下的if...elseif...else...,使代碼看起來更優雅。

首先,定義一個介面

/**
 * 會員服務
 */
public interface VipService {
    void handle();
}

然後,定義實現類

/**
 * 白銀會員
 */
public class SilverVipService implements VipService {
    @Override
    public void handle() {
        System.out.println("白銀");
    }
}

/**
 * 黃金會員
 */
public class GoldVipService implements VipService {
    @Override
    public void handle() {
        System.out.println("黃金");
    }
}

最後,定義一個工廠類,目的是當傳入一個會員等級後,返回其對應的處理類

public class VipServiceFactory {
    private static Map<String, VipService> vipMap = new ConcurrentHashMap<>();

    public static void register(String type, VipService service) {
        vipMap.put(type, service);
    }

    public static VipService getService(String type) {
        return vipMap.get(type);
    }
}

為了建立會員等級和與之對應的處理類之間的映射關係,這裡通常可以有這麼幾種處理方式:

方式一:實現類手動註冊

可以實現InitializingBean介面,或者在某個方法上加@PostConstruct註解

import org.springframework.beans.factory.InitializingBean;
import org.springframework.stereotype.Component;

/**
 * 白銀會員
 */
@Component
public class SilverVipService implements VipService, InitializingBean {
    @Override
    public void handle() {
        System.out.println("白銀");
    }

    @Override
    public void afterPropertiesSet() throws Exception {
        VipServiceFactory.register("silver", this);
    }
}

/**
 * 黃金會員
 */
@Component
public class GoldVipService implements VipService, InitializingBean {
    @Override
    public void handle() {
        System.out.println("黃金");
    }

    @Override
    public void afterPropertiesSet() throws Exception {
        VipServiceFactory.register("gold", this);
    }
}

方式二:從Spring容器中直接獲取Bean

public interface VipService {
    void handle();
    String getType();
}

/**
 * 白銀會員
 */
@Component
public class SilverVipService implements VipService {
    @Override
    public void handle() {
        System.out.println("白銀");
    }
    @Override
    public String getType() {
        return "silver";
    }
}

/**
 * 黃金會員
 */
@Component
public class GoldVipService implements VipService {
    @Override
    public void handle() {
        System.out.println("黃金");
    }
    @Override
    public String getType() {
        return "gold";
    }
}

/**
 * 上下文
 */
@Component
public class VipServiceFactory implements ApplicationContextAware {
    private static Map<String, VipService> vipMap = new ConcurrentHashMap<>();

    @Override
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
        Map<String, VipService> map = applicationContext.getBeansOfType(VipService.class);
        map.values().forEach(service -> vipMap.put(service.getType(), service));
    }

    public static VipService getService(String type) {
        return vipMap.get(type);
    }
}

/**
 * 測試
 */
@SpringBootTest
class DemoApplicationTests {
    @Test
    void contextLoads() {
        VipServiceFactory.getService("silver").handle();
    }
}

方式三:反射+自定義註解

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
public @interface MemberLevel {
    String value();
}

@MemberLevel("silver")
@Component
public class SilverVipService implements VipService {
    @Override
    public void handle() {
        System.out.println("白銀");
    }
}

@MemberLevel("gold")
@Component
public class GoldVipService implements VipService {
    @Override
    public void handle() {
        System.out.println("黃金");
    }
}

/**
 * 上下文
 */
@Component
public class VipServiceFactory implements ApplicationContextAware {
    private static Map<String, VipService> vipMap = new ConcurrentHashMap<>();

    @Override
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
//        Map<String, VipService> map = applicationContext.getBeansOfType(VipService.class);
        Map<String, Object> map = applicationContext.getBeansWithAnnotation(MemberLevel.class);
        for (Object bean : map.values()) {
            if (bean instanceof VipService) {
                String type = bean.getClass().getAnnotation(MemberLevel.class).value();
                vipMap.put(type, (VipService) bean);
            }
        }
    }

    public static VipService getService(String type) {
        return vipMap.get(type);
    }
}

完整示例代碼

/**
 * 結算業務種類
 * @Author: ChengJianSheng
 * @Date: 2023/1/16
 */
@Getter
public enum SettlementBusiType {
    RE1011("RE1011", "轉貼現"),
    RE4011("RE4011", "買斷式貼現"),
    RE4021("RE4021", "回購式貼現"),
    RE4022("RE4022", "回購式貼現贖回");
//    ......

    private String code;
    private String name;

    SettlementBusiType(String code, String name) {
        this.code = code;
        this.name = name;
    }
}


/**
 * 結算處理器
 * @Author: ChengJianSheng
 * @Date: 2023/1/16
 */
public interface SettlementHandler {
    /**
     * 清算
     */
    void handle();

    /**
     * 獲取業務種類
     */
    SettlementBusiType getBusiType();
}


/**
 * 轉貼現結算處理
 */
@Component
public class RediscountSettlementHandler implements SettlementHandler {
    @Override
    public void handle() {
        System.out.println("轉貼現");
    }

    @Override
    public SettlementBusiType getBusiType() {
        return SettlementBusiType.RE1011;
    }
}


/**
 * 買斷式貼現結算處理
 */
@Component
public class BuyoutDiscountSettlementHandler implements SettlementHandler {
    @Override
    public void handle() {
        System.out.println("買斷式貼現");
    }

    @Override
    public SettlementBusiType getBusiType() {
        return SettlementBusiType.RE4011;
    }
}


/**
 * 預設處理器
 * @Author: ChengJianSheng
 * @Date: 2023/1/16
 */
@Component
public class DefaultSettlementHandler implements /*SettlementHandler,*/ ApplicationContextAware {
    private static Map<SettlementBusiType, SettlementHandler> allHandlerMap = new ConcurrentHashMap<>();

    public static SettlementHandler getHandler(SettlementBusiType busiType) {
        return allHandlerMap.get(busiType);
    }

    @Override
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
        Map<String, SettlementHandler> map = applicationContext.getBeansOfType(SettlementHandler.class);
        map.values().forEach(e -> allHandlerMap.put(e.getBusiType(), e));
    }
}


@SpringBootTest
class Demo2023ApplicationTests {
    @Test
    void contextLoads() {
        // 收到結算結果通知,根據業務種類進行結算處理
        SettlementHandler handler = DefaultSettlementHandler.getHandler(SettlementBusiType.RE1011);
        if (null != handler) {
            handler.handle();
        }
    }
}

 


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • StringBuilder類 一、結構剖析 一個可變的字元序列。此類提供一個與 StringBuffer 相容的 API,但不保證同步(StringBuilder 不是線程安全的)。該類被設計用作 StringBuffer 的一個簡易替換,==用在字元串緩衝區被單個線程使用的時候==。如果可能,建議 ...
  • Typora軟體與Markdown語法 Typora軟體的安裝 ​ ==Typora是什麼軟體:== ​ Typora是一款很火的輕量級支持Markdown語法的文本編輯器 ​ ==Typora下載:== ​ mac:https://mac.qdrayst.com/02/Typora_1.1.4_m ...
  • pycharm下載安裝與基本配置 1.簡介 PyCharm是一種Python IDE(Integrated Development Environment,集成開發環境),帶有一整套可以幫助用戶在使用Python語言開發時提高其效率的工具,比如調試、語法高亮、項目管理、代碼跳轉、智能提示、自動完成、 ...
  • 原創:扣釘日記(微信公眾號ID:codelogs),歡迎分享,轉載請保留出處。 簡介 最近我觀察到一個現象,當服務的請求量突發的增長一下時,服務的有效QPS會下降很多,有時甚至會降到0,這種現象網上也偶有提到,但少有解釋得清楚的,所以這裡來分享一下問題成因及解決方案。 隊列延遲 目前的Web伺服器, ...
  • CF鏈接:Least Prefix Sum Luogu鏈接:Least Prefix Sum $ {\scr \color {CornflowerBlue}{\text{Solution}}} $ 先來解釋一下題意: 給定一個數組,問最少把多少個數變成相反數,使得$ \forall \cal{i}$ ...
  • Spring管理Bean-IOC 1.Spring配置/管理bean介紹 Bean管理包括兩方面: 創建bean對象 給bean註入屬性 Bean的配置方式: 基於xml文件配置方式 基於註解配置方式 2.基於XML配置bean 2.1通過類型來獲取bean 通過id來獲取bean在Spring基本 ...
  • 1、yaml文件準備 common: secretid: AKIDxxxxx secretKey: 3xgGxxxx egion: ap-guangzhou zone: ap-guangzhou-7 InstanceChargeType: POSTPAID_BY_HOUR 2、config配置類準備 ...
  • 簡介 Netflix Eureka是微服務系統中最常用的服務發現組件之一,非常簡單易用。當客戶端註冊到Eureka後,客戶端可以知道彼此的hostname和埠等,這樣就可以建立連接,不需要配置。 Eureka 服務端 添加Maven依賴: <dependency> <groupId>org.spr ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...