浅谈Java23种设计模式之创建型设计模式的几种使用场景

前言:
都知道Java有23种设计模式,但实际开发中相信很多同学基本很少能利用上这些设计模式.
下面我将结合实际开发应用场景来进行简单解读一下这些设计模式在实际开发中是怎么使用的.

1.单例模式(Singleton)

确保一个类只有一个实例,并提供一个全局访问点。它又分为饿汉式和懒汉式; 一般会在数据库连接池、线程池、配置管理器使用这玩意.

a.饿汉式(静态常量)

饿汉式在类加载时就完成了初始化,所以是线程安全的,但可能会造成内存浪费,比如该实例一直没被使用.

public class SingletonHungry {// 创建 SingletonHungry 的一个对象private static final SingletonHungry instance = new SingletonHungry();// 让构造函数为 private,这样该类就不会被实例化private SingletonHungry(){}// 获取唯一可用的对象public static SingletonHungry getInstance(){return instance;}
}
b.懒汉式

懒汉式在第一次调用 getInstance() 方法时才初始化实例,实现了延迟加载,但是上面的简单实现不是线程安全的。为了保证线程安全,可以使用 synchronized 关键字对 getInstance() 方法进行同步。

public class SingletonLazy {private static SingletonLazy instance;private SingletonLazy(){}public static synchronized SingletonLazy getInstance(){if(instance == null){instance = new SingletonLazy();}return instance;}
}
c.上面这种肯定效率低,因为是同步并且为了线程安全加了synchronized ,优化一下
public class SingletonLazy {private volatile  static SingletonLazy instance;private SingletonLazy(){}public static SingletonLazy getInstance(){// 第一次检查:如果实例不存在if(instance == null){synchronized (SingletonLazy.class){ // 加锁if(singleton == null){ // 第二次检查:进入该代码块前可能已经有其他线程创建了实例singleton = new SingletonLazy();}}}return singleton;}
}

2.工厂方法模式(Factory Method)

概念:

它定义了一个用于创建对象的接口,但让子类决定实例化哪一个类。工厂方法使一个类的实例化延迟到其子类。这种模式非常适合于当一个类不知道它所必须创建的对象的类的时候,即客户端不需要知道具体产品类的类名,只需要知道所对应的工厂即可,使得系统可以在不修改具体产品类的情况下增加新产品。

实际使用场景:

假设我们正在开发一个应用程序,该程序需要处理不同类型的日志记录(例如:文本日志、数据库日志),我们可以使用工厂方法模式来根据需要创建不同的日志记录器对象.

直接上代码:

a.定义日志记录器接口

public interface Logger {void log(String message);
}

b.实现具体日志记录器

public class TextLogger implements Logger {@Overridepublic void log(String message) {System.out.println("Text Log: " + message);}
}
public class DatabaseLogger implements Logger {@Overridepublic void log(String message) {System.out.println("Database Log: " + message);}
}

c.定义日志记录器工厂接口及具体工厂

public interface LoggerFactory {Logger createLogger();
}
public class TextLoggerFactory implements LoggerFactory {@Overridepublic Logger createLogger() {return new TextLogger();}
}
public class DatabaseLoggerFactory implements LoggerFactory {@Overridepublic Logger createLogger() {return new DatabaseLogger();}
}

d.客户端代码

public class Client {public static void main(String[] args) {// 文本日志LoggerFactory textFactory = new TextLoggerFactory();Logger textLogger = textFactory.createLogger();textLogger.log("This is a text log message.");// 数据库日志LoggerFactory dbFactory = new DatabaseLoggerFactory();Logger dbLogger = dbFactory.createLogger();dbLogger.log("This is a database log message.");}
}

3.抽象工厂模式(Abstract Factory)

概念:

它提供一个创建一系列相关或相互依赖对象的接口,而无需指定它们具体的类。这种模式适合于一个系统要独立于产品的创建、组合和表示时。与工厂方法模式相比,抽象工厂模式生产的是产品族,而不是单一的产品。

实际使用场景:
假设我们正在开发一个跨平台的应用程序,该程序需要在Windows、MacOS、Linux等不同操作系统上运行,并且每个平台上都有不同的按钮和对话框风格。为了实现界面组件的平台无关性,我们可以使用抽象工厂模式来创建与特定平台相关的UI组件。
直接上代码:

a.抽象产品接口

public interface Button {void paint();
}
public interface Dialog {void draw();
}

b.具体产品类

// Windows风格的UI组件
public class WindowsButton implements Button {@Overridepublic void paint() {System.out.println("Painting a Windows button.");}
}
public class WindowsDialog implements Dialog {@Overridepublic void draw() {System.out.println("Drawing a Windows dialog.");}
}
// MacOS风格的UI组件
public class MacOSButton implements Button {@Overridepublic void paint() {System.out.println("Painting a MacOS button.");}
}
public class MacOSDialog implements Dialog {@Overridepublic void draw() {System.out.println("Drawing a MacOS dialog.");}
}

c.抽象工厂接口

public interface GUIFactory {Button createButton();Dialog createDialog();
}

d.具体工厂类

public class WindowsFactory implements GUIFactory {@Overridepublic Button createButton() {return new WindowsButton();}@Overridepublic Dialog createDialog() {return new WindowsDialog();}
}
public class MacOSFactory implements GUIFactory {@Overridepublic Button createButton() {return new MacOSButton();}@Overridepublic Dialog createDialog() {return new MacOSDialog();}
}

e.客户端代码

public class Application {public static void main(String[] args) {// 假设从配置中读取到当前平台信息String platform = detectPlatform(); // 实际应用中可能通过系统属性判断GUIFactory factory;if ("Windows".equals(platform)) {factory = new WindowsFactory();} else if ("MacOS".equals(platform)) {factory = new MacOSFactory();} else {throw new IllegalArgumentException("Unsupported platform: " + platform);}Button button = factory.createButton();Dialog dialog = factory.createDialog();button.paint();dialog.draw();}// 简化的平台检测逻辑private static String detectPlatform() {// 这里仅作为示例,真实环境中可能通过System.getProperty("os.name")等方式检测return "Windows";}
}

4.建造者模式(Builder)

概念:

它允许用户通过一步步构造(或一步一步设置属性)的方式创建复杂的对象,而这个构建过程通常是可变的,可以创建不同表现形式的对象。该模式将构建复杂对象的过程与它的表示分离,使得同样的构建过程可以创建不同的表示。

实际使用场景:
设想一个软件开发项目中,需要创建不同配置的电脑(Computer),比如游戏电脑、办公电脑等,每种类型的电脑有不同的硬件配置,如CPU型号、内存大小、硬盘类型等。使用建造者模式可以灵活地创建这些不同配置的电脑,而不需要为每一种配置创建一个单独的类。
直接上代码:

a.抽象产品(Product)

@Data
public class Computer {private String cpu;private int ram;private String hdd;private boolean hasGraphicsCard;public Computer(String cpu, int ram, String hdd, boolean hasGraphicsCard) {this.cpu = cpu;this.ram = ram;this.hdd = hdd;this.hasGraphicsCard = hasGraphicsCard;}
}

b.抽象建造者(Builder)

public interface ComputerBuilder {ComputerBuilder setCpu(String cpu);ComputerBuilder setRam(int ram);ComputerBuilder setHdd(String hdd);ComputerBuilder setGraphicsCard(boolean hasGraphicsCard);Computer build();
}

c.具体建造者(Concrete Builder)

public class GamingComputerBuilder implements ComputerBuilder {private String cpu;private int ram;private String hdd;private boolean hasGraphicsCard;@Overridepublic ComputerBuilder setCpu(String cpu) {this.cpu = cpu;return this;}@Overridepublic ComputerBuilder setRam(int ram) {this.ram = ram;return this;}@Overridepublic ComputerBuilder setHdd(String hdd) {this.hdd = hdd;return this;}@Overridepublic ComputerBuilder setGraphicsCard(boolean hasGraphicsCard) {this.hasGraphicsCard = true; // 游戏电脑默认有显卡return this;}@Overridepublic Computer build() {return new Computer(cpu, ram, hdd, hasGraphicsCard);}
}// 可以为其他类型(如OfficeComputerBuilder)定义类似的实现

d.指挥者(Director)

public class ComputerDirector {public Computer constructGamingComputer(ComputerBuilder builder) {return builder.setCpu("Intel i9").setRam(32).setHdd("SSD 1TB").build();}
}

e.客户端代码

public class Client {public static void main(String[] args) {ComputerBuilder builder = new GamingComputerBuilder();ComputerDirector director = new ComputerDirector();Computer gamingComputer = director.constructGamingComputer(builder);System.out.println(gamingComputer); // 实际使用中可能需要重写Computer的toString方法以输出有意义的信息}
}

5.原型模式(Prototype)

概念:

它允许创建对象的副本,而无需了解对象的具体类或重新初始化它们。这种模式特别适用于当创建新对象的成本较高时,或者对象的初始化过程复杂且实例化次数不确定的情况。通过克隆已有对象,可以快速得到新的对象实例,且新对象状态可以基于原有对象进行调整。

实际使用场景:

假设在一个图形编辑软件中,用户可以创建各种形状(如圆形、矩形等)并对其进行编辑。当用户需要创建多个相似形状时,直接复制现有形状并稍作修改比每次都从头创建新形状更为高效。这时就可以利用原型模式来实现这一功能。

直接上代码:

a.抽象原型接口

public interface ShapePrototype {ShapePrototype clone();void draw();
}

b.具体原型类

public class Circle implements ShapePrototype {private int radius;private String color;public Circle(int radius, String color){this.radius = radius;this.color = color;}@Overridepublic ShapePrototype clone() {return new Circle(radius, color);}@Overridepublic void draw() {System.out.println("Drawing Circle with radius: " + radius + " and color: " + color);}
}
public class Rectangle implements ShapePrototype {private int width;private int height;private String color;public Rectangle(int width, int height, String color){this.width = width;this.height = height;this.color = color;}@Overridepublic ShapePrototype clone() {return new Rectangle(width, height, color);}@Overridepublic void draw() {System.out.println("Drawing Rectangle with width: " + width + ", height: " + height + ", and color: " + color);}
}

c.客户端代码

public class PrototypePatternDemo {public static void main(String[] args) {ShapePrototype circlePrototype = new Circle(5, "Blue");ShapePrototype clonedCircle = circlePrototype.clone();clonedCircle.draw(); // 输出圆形绘制信息ShapePrototype rectanglePrototype = new Rectangle(10, 20, "Red");ShapePrototype clonedRectangle = rectanglePrototype.clone();clonedRectangle.draw(); // 输出矩形绘制信息}
}

好了以上就是创建型设计模式的几种具体设计模式的使用场景;下期见.

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/web/29915.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

C++中的享元模式

目录 享元模式(Flyweight Pattern) 实际应用 文字编辑器中的字符 修仙游戏中的地图瓦片 图形编辑器中的图形对象 总结 享元模式(Flyweight Pattern) 享元模式是一种结构型设计模式,用于减少对象的内存使用和提高…

Ubuntu 22.04 解决 firefox 中文界面乱码

问题复现 在为Ubuntu 22.04 Server安装完整的GNOME 42.01桌面后,将桌面语言设置为中文时,打开Firefox可能会出现中文乱码的问题。经过网上调查发现,这个问题是由Snap软件包引起的。 解决方案 为了避免在Ubuntu 22.04中文模式下的乱码问题…

Java解析Json格式数据

首先通过一定的方法得到String类型的Json数据。 然后利用fastjson中的JSON的parseObject()将String解析为JSONObject 然后通过get方法得到某个键对应的值&#xff1a; private String getOpenid(String code) {Map<String, String> map new HashMap<>();map.put(&…

数学建模基础:非线性模型

目录 前言 一、非线性方程组 二、非线性规划 三、微分方程模型 四、非线性模型的应用 五、实例示范&#xff1a;传染病传播模型 实例总结 五、总结 前言 非线性模型用于描述变量之间的非线性关系&#xff0c;相比线性模型&#xff0c;其数学形式更为复杂&#xff0c;但…

AI大模型会如何颠覆手机?

导语&#xff1a;大模型在手机端的落地&#xff0c;不仅仅是AI进入人类生活的开始&#xff0c;也是行业发生颠覆&#xff0c;新老巨头进行更替的时刻。 将大模型变小&#xff0c;再塞进手机&#xff0c;会给人们的生活带来怎样的影响&#xff1f; 最近&#xff0c;荣耀成为了…

【杂记-浅谈实现流量控制】

一、流量控制概述 流量控制是计算机网络中的一个关键技术&#xff0c;它涉及到的不仅仅是单一的技术层面&#xff0c;而是涵盖了从物理层到应用层的多个层次。在网络通信中&#xff0c;流量控制技术通过各种手段对数据流量进行管理和调控&#xff0c;以防止网络拥堵、提高网络…

Java基础学习-流程控制语句-顺序结构-分支结构-循环结构

目录 顺序结构&#xff1a; 分支结构&#xff1a; if语句&#xff1a; 第一种格式&#xff1a; if第二种格式&#xff1a; 案例练习 if第三种格式&#xff1a; switch语句&#xff1a; 格式&#xff1a; switch其他知识点&#xff1a; 循环结构&#xff1a; for循环…

centos安装多实例mysql

参考&#xff1a;CentOS7 单机配置mysql多实例运行-腾讯云开发者社区-腾讯云

yolov8图像分割训练

1.背景 最近在做一个AI项目&#xff0c;需要用到yolov8的实例分割功能来确定一个不规则区域&#xff0c;从而找出不规则区域的坐标完成大致定位&#xff0c;以前有用过yolov8的目标检测功能&#xff0c;实际上yolov8的分割功能和检测功能大同小异。本博客将仔细分享使用yolov8图…

给电脑bios主板设置密码

增强安全性&#xff1a;防止未经授权的人员更改 BIOS 中的重要设置&#xff0c;如启动顺序、硬件配置等。这有助于保护计算机系统的稳定性和数据的安全性。防止恶意篡改&#xff1a;阻止可能的攻击者或恶意软件通过修改 BIOS 设置来破坏系统或获取敏感信息。数据保护&#xff1…

多功能声学综合馆:气膜声学环境的创新解决方案—轻空间

多功能声学综合馆作为一种创新的建筑解决方案&#xff0c;成功地解决了传统气膜馆内部噪音问题&#xff0c;为用户提供了一个宁静、舒适的环境。轻空间依托科研院校&#xff0c;研究出与气膜匹配的复合声学材料以及悬挂安装工艺&#xff0c;既保证气膜安全&#xff0c;同时实现…

C语言入门系列:数据类型之浮点数

文章目录 一&#xff0c;什么是浮点数二&#xff0c;C语言中的浮点数1&#xff0c;float1.1 float的声明1.2 float的存储格式1.3 float的精度和范围 2&#xff0c;double2.1 double变量的声明2.2 double的存储格式2.3 double的精度和范围2.4 long double 3&#xff0c;0.2 0.1…

uni app 树状结构数据展示

树状数据展示&#xff0c;可以点击item 将点击数据给父组件 &#xff0c;满足自己需求。不喜勿喷&#xff0c;很简单可以根据自己需求改哈&#xff0c;不要问&#xff0c;点赞收藏就好 <template><view><view v-for"(node, index) in treeData" :ke…

Mellanoxnvidia ib高速网络常用命令总结

1.spci&#xff1a;检查本地的pci设备。示例&#xff1a;lspci| grep -i mell 2.ofed_info&#xff1a;检测ofed驱动版本。示例&#xff1a;ofed_info-s 3.ibstat&#xff1a;查看本机的ib网卡状态。 4.mst&#xff1a;mellnoax软件管理工具。用来生成IB设备描述符。提供给其他…

网络新增接入交换机引发故障应对经验

网管对某一栋楼的汇聚交换机进行配置变更&#xff0c;要增加一台接入交换机&#xff0c;因为人员变多了&#xff0c;终端也就变多了&#xff0c;所以现有的网络和接入设备不能满足需求&#xff0c;需要新增一台接入层的交换机。 现网中新增一台接入交换机&#xff0c;这个配置是…

[Day 15] 區塊鏈與人工智能的聯動應用:理論、技術與實踐

區塊鏈的數字身份認證 1. 概述 數字身份認證是當今數字世界中的關鍵問題之一。傳統的身份驗證方法面臨著安全性、隱私性和可信度等方面的挑戰。區塊鏈技術通過其去中心化、不可篡改和可追溯的特性&#xff0c;為解決這些問題提供了新的可能性。本文將深入探討區塊鏈在數字身份…

经典游戏案例:unity官方推荐3d跑酷

学习目标&#xff1a;实现跑酷核心算法 游戏画面 项目结构目录 部分核心代码 using System; using System.Collections; using System.Collections.Generic; using UnityEngine; /// <summary> /// 游戏管理器是一个状态机&#xff0c;根据当前的游戏状态&#xff0c;它…

cJSON解析数组

json串: {"list":[ "hello","world"]} 代码 : int func(char *sn) { int ret = 0; cJSON *root, *list; FILE *fp = fopen("a.txt", "r"); if(!fp) { printf("open sn file failed!\n"); …

图解Attention学习笔记

教程是来自https://github.com/datawhalechina/learn-nlp-with-transformers/blob/main/docs/ 图解Attention Attention出现的原因是&#xff1a;基于循环神经网络&#xff08;RNN&#xff09;一类的seq2seq模型&#xff0c;在处理长文本时遇到了挑战&#xff0c;而对长文本中…

华北水利水电大学-C程序设计作业

目录 基础题 1-1 分析 代码实现 1-2 分析 代码实现 1-3 分析 代码实现 1-4 ​编辑 分析 代码实现 1-5 分析 代码实现 1-6 分析 代码实现 基础题 1-1 从键盘输入10个学生的有关数据&#xff0c;然后把它们转存到磁盘文件上去。其中学生信息包括学号、姓名…