23种设计模式-Golang(完整版)

23种设计模式-Golang

完整代码链接:https://github.com/ziyifast/easy_design_mode
🚀:欢迎star哦~

1 创建型模式

1.1 简单工厂模式(simple factory):不同协议有生成不同downloader

①解析

go 语言没有构造函数,所以我们一般是通过 NewXXX 函数来初始化相关类。 NewXXX 函数返回接口时就是简单工厂模式,也就是说 Golang 的一般推荐做法就是简单工厂。

  • 在这个 simplefactory 包中只有API 接口和 NewAPI 函数为包外可见,封装了实现细节。
②代码
package main/*封装NewXXX函数
*/type Protocol stringvar (SmbProtocol Protocol = "smb"NfsProtocol Protocol = "nfs"
)type IDownload interface {Download()
}type SmbDownloader struct{}func (s *SmbDownloader) Download() {println("smb download")
}type NfsDownloader struct{}func (n *NfsDownloader) Download() {println("nfs download")
}func NewDownloader(t Protocol) IDownload {switch t {case SmbProtocol:return &SmbDownloader{}case NfsProtocol:return &NfsDownloader{}}return nil
}func main() {//测试:根据协议类型,创建不同类型的下载器smbDownloader := NewDownloader(SmbProtocol)smbDownloader.Download()nfsDownloader := NewDownloader(NfsProtocol)nfsDownloader.Download()
}

1.2 工厂方法模式(factory method):不同品牌手机有不同工厂

①解析

工厂方法模式使用子类的方式延迟生成对象到子类中实现。

Go 中不存在继承 所以使用匿名组合来实现

示例步骤:

  1. 定义接口type operator interface
    • 参数a
    • 参数b
    • result:具体业务方法
  2. 定义type BaseFactory struct:提供方法,用于设置a、b参数
    • 参数a
    • 参数b
  3. 根据不同操作,定义不同工厂类(addFactory、minusFactory)
    • addFactory实现operator的result:a+b
    • minusFactory实现operator的result:a-b
  4. addFactory、minusFactory分别提供Create方法

简单工厂:唯一工厂类,一个产品抽象类,工厂类的创建方法依据入参判断并创建具体产品对象。
工厂方法:多个工厂类,一个产品抽象类,利用多态创建不同的产品对象,避免了大量的if-else判断。
抽象工厂:多个工厂类,多个产品抽象类,产品子类分组,同一个工厂实现类创建同组中的不同产品,减少了工厂子类的数量。

②代码
package mainimport "fmt"/*
> - 简单工厂:唯一工厂类,一个产品抽象类,工厂类的创建方法依据入参判断并创建具体产品对象。
> - 工厂方法:多个工厂类,一个产品抽象类,利用多态创建不同的产品对象,避免了大量的if-else判断。
> - 抽象工厂:多个工厂类,多个产品抽象类,产品子类分组,同一个工厂实现类创建同组中的不同产品,减少了工厂子类的数量。
*/// Operator 被封装的实际接口
type Operator interface {SetA(int)SetB(int)Result() int
}// OperatorFactory 是工厂接口
type OperatorFactory interface {Create() Operator
}// OperatorBase 是Operator 接口实现的基类,封装公用方法
type OperatorBase struct {a, b int
}func (o *OperatorBase) SetA(a int) {o.a = a
}func (o *OperatorBase) SetB(b int) {o.b = b
}// PlusOperatorFactory  加法运算的工厂类
type PlusOperatorFactory struct{}type PlusOperator struct {*OperatorBase
}func (p *PlusOperator) Result() int {return p.a + p.b
}func (p PlusOperatorFactory) Create() Operator {return &PlusOperator{OperatorBase: &OperatorBase{},}
}// MinusOperatorFactory  减法运算的工厂类
type MinusOperatorFactory struct {*OperatorBase
}func (p *MinusOperatorFactory) Result() int {return p.a - p.b
}func (p *MinusOperatorFactory) Create() Operator {return &MinusOperatorFactory{OperatorBase: &OperatorBase{},}
}func main() {//加法plusFactory := PlusOperatorFactory{}plusOperator := plusFactory.Create()plusOperator.SetA(10)plusOperator.SetB(20)result := plusOperator.Result()fmt.Println("plusOperator=", result)//减法minusFactory := MinusOperatorFactory{}minusOperator := minusFactory.Create()minusOperator.SetA(10)minusOperator.SetB(5)result = minusOperator.Result()fmt.Println("minusOperator=", result)
}

1.3 创建者模式(builder):上架商品包含命名+设置价格+数量等

①解析

将build一个物品拆分为几个部分
示例步骤:

  1. 定义接口type goodsBuilder interface
    • setName
    • setPrice
    • setCount
    • *Goods
  2. 定义具体实现结构体type ConcreteBuilder struct
    • 实现goodsBuilder接口
  3. 提供NewGoodsBuilder接口,返回ConcreteBuilder实现类
②代码
package mainimport "fmt"// Goods 构建的对象
type Goods struct {Name  stringPrice float64Count int
}// GoodsBuilder 构建器
type GoodsBuilder interface {SetName(name string) GoodsBuilderSetPrice(price float64) GoodsBuilderSetCount(count int) GoodsBuilderBuild() *Goods
}// ConcreteBuilder 具体构建器
type ConcreteBuilder struct {goods *Goods
}func (g ConcreteBuilder) Build() *Goods {return g.goods
}func (g ConcreteBuilder) SetName(name string) GoodsBuilder {g.goods.Name = namereturn g
}func (g ConcreteBuilder) SetPrice(price float64) GoodsBuilder {g.goods.Price = pricereturn g
}func (g ConcreteBuilder) SetCount(count int) GoodsBuilder {g.goods.Count = countreturn g
}func NewGoodsBuilder() GoodsBuilder {return &ConcreteBuilder{goods: &Goods{},}
}func main() {builder := NewGoodsBuilder()goods := builder.SetName("apple").SetCount(2).SetPrice(65.0).Build()fmt.Println(goods)
}

1.4 原型模式(prototype):clone对象,复制自身

①解析

原型模式使对象能复制自身,并且暴露到接口中,使客户端面向接口编程时,不知道接口实际对象的情况下生成新的对象。

原型模式配合原型管理器使用,使得客户端在不知道具体类的情况下,通过接口管理器得到新的实例,并且包含部分预设定配置。

示例步骤:

  1. 定义接口type Prototype interface
    • 包含clone方法:Clone() Prototype
  2. 定义结构体type ConcretePrototype struct
    • 实现clone方法:Clone() Prototype
②代码
package mainimport "fmt"// Prototype 定于原型接口
type Prototype interface {Clone() Prototype
}// ConcretePrototype 定义具体原型结构体
type ConcretePrototype struct {name string
}// Clone 提供clone方法
func (c ConcretePrototype) Clone() Prototype {return &ConcretePrototype{name: c.name,}
}func main() {//创建原型对象prototypeObj := &ConcretePrototype{name: "test"}//使用原型对象创建新对象cloneObject := prototypeObj.Clone()fmt.Println(cloneObject.(*ConcretePrototype).name)//prototypeObj=0x1400000e028//cloneObject=0x14000010280fmt.Printf("prototypeObj=%v\n", &prototypeObj)fmt.Printf("cloneObject=%p\n", cloneObject)
}

1.5 单例模式(singleton):一个类只有一个实例

①解析

使用懒惰模式的单例模式,使用once.Do加锁保证线程安全
保证只有单个实例

单例模式:

  1. 懒汉式:用到时才实例化(GetInstance),通过once.Do保证只加载一次
  2. 饿汉式:一开始就实例化(init)
②代码
package mainimport ("fmt""sync"
)// 懒汉式:用到才加载【饿汉式:直接放在init方法里,程序一启动就创建好】
var (instance *Singletononce     = sync.Once{}
)type Singleton struct {
}func GetInstance() *Singleton {once.Do(func() {instance = &Singleton{}})return instance
}func main() {one := GetInstance()two := GetInstance()//one=0x100f54088//two=0x100f54088fmt.Printf("one=%p\n", one)fmt.Printf("two=%p\n", two)
}

2 结构型模式

2.1 外观模式(facade):audioFixer+videoFixer

①解析

外观模式也叫门面模式,是一种结构型设计模式,它提供了一个统一的接口来访问子系统中的一组接口。这种模式通过定义一个高层接口来隐藏子系统的复杂性,使子系统更容易使用。
在Go语言中,我们可以使用结构体和接口来实现外观模式。

示例:

  1. 定义audioFixer,实现fixer
  2. 定义videoFixer,实现fixer
  3. 定义AudioAndVideoFixer,组合audioFixer和videoFixer
②代码
package mainimport "fmt"/*定义两个及以上子系统,合成为一个整体系统,整体系统可以独立运行- 定义修复器,将多个子系统组合在一起- AudioMixer:修复音频- VideoMixer:修复视频
*/
// AudioMixer Subsystem 1:修复音频
type AudioMixer struct {
}func (a *AudioMixer) Fix(name string) {fmt.Println(fmt.Sprintf("%s (audio fixed)", name))
}// VideoMixer Subsystem 2:修复视频
type VideoMixer struct {
}func (v *VideoMixer) Fix(name string) {fmt.Println(fmt.Sprintf("%s (video fixed)", name))
}// MediaMixer Facade:将多个子系统组合在一起
type MediaMixer struct {audioMixer *AudioMixervideoMixer *VideoMixer
}func (m *MediaMixer) Fix(name string) {m.audioMixer.Fix(name)m.videoMixer.Fix(name)
}func NewMediaMixer() *MediaMixer {return &MediaMixer{audioMixer: &AudioMixer{},videoMixer: &VideoMixer{},}
}func main() {mixer := NewMediaMixer()mixer.Fix("电视机")
}

2.2 适配器模式(adapter):阿里支付、维信支付等

①解析

适配器适合用于解决新旧系统(或新旧接口)之间的兼容问题,而不建议在一开始就直接使用

  • 适配器模式将一个类的接口,转换成客户期望的另一个接口。适配器让原本接口不兼容的类可以合作无间

关键代码:
适配器中持有旧接口对象,并实现新接口

示例:

  1. 定义阿里支付接口 type AliPayInterface interface,包含Pay方法
  2. 定义微信支付接口 type WeChatPayInterface interface,包含Pay方法
  3. 分别定义阿里支付和微信支付的实现类 AliPay 和 WeChatPay struct
  4. 定义目标接口 type TargetPayInterface interface,包含DealPay方法
  5. 定义TargetPayInterface接口实现类 PayAdapter struct,实现DealPay方法
    • 内部持有AliPayInterface和WeChatPayInterface对象,根据类型分别调用其Pay方法
②代码
package mainimport "fmt"// AlipayInterface 支付宝SDK
type AlipayInterface interface {Pay(money int)
}type AlipayPay struct {
}func (a *AlipayPay) Pay(money int) {fmt.Println("这里是支付宝支付:", "费用是:", money)
}type WeixinPayInterface interface {Pay(money int)
}
type WeixinPay struct {
}func (a *WeixinPay) Pay(money int) {fmt.Println("这里是微信支付:", "费用是:", money)
}// TargetPayInterface 目标接口,能支持传入支付宝或者微信支付进行支付
type TargetPayInterface interface {DealPay(payType string, money int)
}// 自己的adapter,实现微信和支付宝支付,
type NewAdapter struct {AlipayInterfaceWeixinPayInterface
}func (n *NewAdapter) DealPay(payType string, money int) {switch payType {case "weixinpay":n.WeixinPayInterface.Pay(money)case "alipay":n.AlipayInterface.Pay(money)default:fmt.Println("不支持的支付方式")}
}func main() {// 同时调用支付宝和微信支付t := &NewAdapter{AlipayInterface:    &AlipayPay{},WeixinPayInterface: &WeixinPay{},}// 这里业务中基于一个用户同时只能调用一种支付方式。t.DealPay("weixinpay", 35)t.DealPay("alipay", 101)
}

2.3 代理模式(proxy):支付前的签名校验等

①解析

代理模式用于延迟处理操作或者在进行实际操作前后进行其它处理。

示例:

  1. 定义PaymentService interface接口,包含pay方法
  2. 定义Alipay struct,实现PaymentService interface接口
  3. 定义paymentProxy struct,包含realPay(实现了PaymentService interface的结构体)
  4. paymentProxy实现pay方法,调用realPay的pay方法之前和之后分别来添加一些额外的操作
②代码
package mainimport ("fmt"
)type PaymentService interface {pay(order string) string
}// AliPay 阿里支付类
type AliPay struct {
}/*** @Description: 阿里支付类,从阿里获取支付token* @receiver a* @param order* @return string*/
func (a *AliPay) pay(order string) string {return "从阿里获取支付token"
}type PaymentProxy struct {realPay PaymentService
}/*** @Description: 做校验签名、初始化订单数据、参数检查、记录日志、组装这种通用性操作,调用真正支付类获取token* @receiver p* @param order* @return string*/
func (p *PaymentProxy) pay(order string) string {fmt.Println("处理" + order)fmt.Println("1校验签名")fmt.Println("2格式化订单数据")fmt.Println("3参数检查")fmt.Println("4记录请求日志")token := p.realPay.pay(order)return "http://组装" + token + "然后跳转到第三方支付"
}
func main() {proxy := &PaymentProxy{realPay: &AliPay{},}url := proxy.pay("阿里订单")fmt.Println(url)
}

2.4 享元模式(flyweight):优先从内存map中获取对象

①解析

享元模式从对象中剥离出不发生改变且多个实例需要的重复数据,独立出一个享元,使多个对象共享,从而节省内存以及减少对象数量。

示例:

  1. 定义结构体ImageFlyweight struct,用于展示图像信息
  2. 定义ImageFlyweightFactory struct工厂,包含:maps map[string]*ImageFlyweight
  3. 提供方法:GetImageFlyweight(name string) *ImageFlyweight
    • 先从map中获取,如果map中存在,则直接返回;如果不存在则New一个ImageFlyweight,存入map中,然后返回
  4. 提供方法GetImageFlyweightFactory,用于获取工厂
②代码
package mainimport "fmt"type ImageFlyweightFactory struct {maps map[string]*ImageFlyweight
}var imageFactory *ImageFlyweightFactoryfunc GetImageFlyweightFactory() *ImageFlyweightFactory {if imageFactory == nil {imageFactory = &ImageFlyweightFactory{maps: make(map[string]*ImageFlyweight),}}return imageFactory
}func (f *ImageFlyweightFactory) Get(filename string) *ImageFlyweight {image := f.maps[filename]if image == nil {image = NewImageFlyweight(filename)f.maps[filename] = image}return image
}type ImageFlyweight struct {data string
}func NewImageFlyweight(filename string) *ImageFlyweight {// Load image filedata := fmt.Sprintf("image data %s", filename)return &ImageFlyweight{data: data,}
}func (i *ImageFlyweight) Data() string {return i.data
}type ImageViewer struct {*ImageFlyweight
}func NewImageViewer(filename string) *ImageViewer {image := GetImageFlyweightFactory().Get(filename)return &ImageViewer{ImageFlyweight: image,}
}func (i *ImageViewer) Display() {fmt.Printf("Display: %s\n", i.Data())
}func main() {factory := GetImageFlyweightFactory()redViewer := factory.Get("red")redViewer2 := factory.Get("red")greenViewer := factory.Get("green")//truefmt.Println(redViewer == greenViewer)fmt.Println(redViewer == redViewer2)
}

2.5 装饰模式(decorator):换个皮肤,增加car的价钱

①解析

装饰模式使用对象组合的方式动态改变或增加对象行为。

Go语言借助于匿名组合和非入侵式接口可以很方便实现装饰模式。

使用匿名组合,在装饰器中不必显式定义转调原对象方法。

示例:

  1. 定义PriceDecorator interface接口
    • 包含DecoratePrice(c Car) Car方法,用于增加车的price
  2. 定义ExtraPriceDecorator结构体,实现PriceDecorator接口
    • 包含ExtraPrice字段,用于给传入的car增加额外的price,最后返回car
②代码
package mainimport "fmt"type Car struct {Brand stringPrice float64
}// PriceDecorator 定义装饰器接口
type PriceDecorator interface {DecoratePrice(c Car) Car
}// ExtraPriceDecorator 实现装饰器
type ExtraPriceDecorator struct {ExtraPrice float64
}func (d ExtraPriceDecorator) DecoratePrice(car Car) Car {car.Price += d.ExtraPricereturn car
}func main() {toyota := Car{Brand: "Toyota", Price: 10000}decorator := ExtraPriceDecorator{ExtraPrice: 500}decoratedCar := decorator.DecoratePrice(toyota)fmt.Printf("%+v\n", decoratedCar)
}

2.6 桥模式(bridge):不同电脑可桥接不同打印机

①解析

桥接模式分离抽象部分和实现部分。使得两部分独立扩展。

桥接模式类似于策略模式,区别在于策略模式封装一系列算法使得算法可以互相替换。

策略模式使抽象部分和实现部分分离,可以独立变化。

如果你想要拆分或重组一个具有多重功能的庞杂类(例如能与多个数据库服务器进行交互的类),可以使用桥接模式。
如果你希望在几个独立维度上扩展一个类,可使用该模式。
如果你需要在运行时切换不同实现方法,可使用桥接模式。

示例:

  1. 定义Printer interface接口,包含print方法。
  2. 定义Computer interface接口,包括SetPrinter(Printer)以及print方法。
  3. 创建不同Printer、Computer通过SetPrinter方法,来实现电脑和打印机的排列组合
②代码
package mainimport "fmt"type Printer interface {PrintFile()
}type Epson struct{}func (p *Epson) PrintFile() {fmt.Println("Printing by a EPSON Printer")
}type Hp struct{}func (p *Hp) PrintFile() {fmt.Println("Printing by a HP Printer")
}type Computer interface {Print()SetPrinter(Printer)
}type Mac struct {printer Printer
}func (m *Mac) Print() {fmt.Println("Print request for mac")m.printer.PrintFile()
}func (m *Mac) SetPrinter(p Printer) {m.printer = p
}type Windows struct {printer Printer
}func (w *Windows) Print() {fmt.Println("Print request for windows")w.printer.PrintFile()
}func (w *Windows) SetPrinter(p Printer) {w.printer = p
}func main() {hpPrinter := &Hp{}epsonPrinter := &Epson{}macComputer := &Mac{}macComputer.SetPrinter(hpPrinter)macComputer.Print()fmt.Println()macComputer.SetPrinter(epsonPrinter)macComputer.Print()fmt.Println()winComputer := &Windows{}winComputer.SetPrinter(hpPrinter)winComputer.Print()fmt.Println()winComputer.SetPrinter(epsonPrinter)winComputer.Print()fmt.Println()}

2.7 组合模式(composite):目录包含多个文件

①解析

组合模式统一对象和对象集,使得使用相同接口使用对象和对象集。

组合模式常用于树状结构,用于统一叶子节点和树节点的访问,并且可以用于应用某一操作到所有子节点。

示例:以飞书文档接口为例,一个目录下面可以包含多个子文件

我们最先想到的做法就是:将文件和目录放在一个类中,新增一个字段,用于判断是文件还是目录。但这样并不优雅。因为文件和目录是不同的,各自有各自的特性,将特有的内容放到一个类里,不满足单一职责原则。
下面将展示通过组合模式来实现文档管理结构

  1. 定义FileSystem interface,抽取文档和目录的公共部分
    • Display(separator string)
  2. 定义FileCommon struct,抽取文件和目录的公共部分
    • fileName string
    • SetFileName(fileName string)
  3. 定义FileNode struct,用于表示文件类。并实现Display方法
    • FileCommon
  4. 定义DirectoryNode struct,用于表示目录类。并实现Display方法。因为目录下可以存放多个文件,因此需要提供addFile方法
    • FileCommon
    • nodes []FileSystemNode
    • Add(f FileSystemNode)
②代码
package mainimport "fmt"const Separator = "--"// FileSystemNode 文件系统接口:文件和目录都要实现该接口
type FileSystemNode interface {Display(separator string)
}// FileCommonFunc 文件通用功能
type FileCommonFunc struct {fileName string
}func (f *FileCommonFunc) SetFileName(fileName string) {f.fileName = fileName
}// FileNode 文件类
type FileNode struct {FileCommonFunc
}// Display 文件类显示文件内容
func (f *FileNode) Display(separator string) {fmt.Println(separator + f.fileName + "   文件内容为:Hello,world")
}// DirectoryNode 目录类
type DirectoryNode struct {FileCommonFuncnodes []FileSystemNode
}// Display 目录类展示文件名
func (d *DirectoryNode) Display(separator string) {fmt.Println(separator + d.fileName)for _, node := range d.nodes {node.Display(separator + Separator)}
}func (d *DirectoryNode) Add(f FileSystemNode) {d.nodes = append(d.nodes, f)
}func main() {//初始化biji := DirectoryNode{}biji.SetFileName("笔记")huiyi := DirectoryNode{}huiyi.SetFileName("会议")chenhui := FileNode{}chenhui.SetFileName("晨会.md")zhouhui := FileNode{}zhouhui.SetFileName("周会.md")//组装biji.Add(&huiyi)huiyi.Add(&chenhui)huiyi.Add(&zhouhui)//显示biji.Display(Separator)
}

3 行为型模式

3.1 中介者模式(mediator):租房中介

①解析

中介者模式封装对象之间互交,使依赖变的简单,并且使复杂互交简单化,封装在中介者中。

例子中的中介者使用单例模式生成中介者。

中介者的change使用switch判断类型。

使用场景:

  1. 当一些对象和其他对象紧密耦合以致难以对其进行修改时,可使用中介者模式。
  2. 当组件因过于依赖其他组件而无法在不同应用中复用时,可使用中介者模式。
  3. 如果为了能在不同情景下复用一些基本行为,导致你需要被迫创建大量组件子类时,可使用中介者模式。

示例:

  1. 定义MessageMediator interface中介者接口,包含sendMessage(msg string, user User)、receiveMessage() string方法
  2. 定义具体中介者实现类,ChatRoom struct,属性包含Message string
    • 实现sendMessage方法,将消息发送给用户
  3. 定义type User struct
    • name string
    • mediator Mediator
  4. 用户通过mediator发送消息,通过mediator(chatroom)接受消息
②代码
package mainimport "fmt"/*1. 定义三个类型:Mediator(中介者接口)、ChatRoom(具体中介者)和 User(用户类)。ChatRoom 实现了 Mediator 接口,负责协调用户之间的交互。User 类有一个 Mediator 类型的属性,用于和中介者对象进行交互。2. 在 main() 函数中,创建了一个中介者对象 chatRoom,3. 创建了两个用户对象 user1 和 user2,并将中介者对象设置给它们。4. 用户对象分别调用 sendMessage() 方法向其他用户发送消息。*/// Mediator 中介者接口
type Mediator interface {sendMessage(msg string, user User)receiveMessage() string
}// ChatRoom 具体中介者
type ChatRoom struct {Message string
}func (c *ChatRoom) sendMessage(msg string, user User) {c.Message = fmt.Sprintf("(通过chatRoom) %s 发送消息: %s\n", user.name, msg)
}func (c *ChatRoom) receiveMessage() string {return c.Message
}// User 用户类
type User struct {name     stringmediator Mediator
}func (u *User) getName() string {return u.name
}func (u *User) setMediator(mediator Mediator) {u.mediator = mediator
}func (u *User) sendMessage(msg string) {u.mediator.sendMessage(msg, *u)
}func (u *User) receiveMessage() string {return u.mediator.receiveMessage()
}func main() {// 创建中介者对象chatRoom := &ChatRoom{}// 创建用户对象,并设置中介者user1 := &User{name: "User1"}user2 := &User{name: "User2"}user1.setMediator(chatRoom)user2.setMediator(chatRoom)// 用户发送消息user1.sendMessage("Hello World!")fmt.Println(user2.receiveMessage())user2.sendMessage("Hi!")fmt.Println(user1.receiveMessage())
}

3.2 观察者模式(observer):发布订阅

①解析

观察者模式用于触发联动。

一个对象的改变会触发其它观察者的相关动作,而此对象无需关心连动对象的具体实现。
关键:被观察者持有了集合存放观察者 (收通知的为观察者);类比消息队列的发布订阅,你订阅了此类消息,当有消息来时,我就通知你

示例:

  1. 定义Customer interface,包含update() 方法
  2. 定义CustomerA、CustomerB结构体,实现update()方法
  3. 定义newsOffice struct,包含customers字段,用于存储观察者,后续有事件发生时通知观察者
    • customers []Customer
    • func addCustomer(customer Customer)
    • func removeCustomer(customer Customer)
    • func newsComing() 新报纸到来,调用notifyAll方法通知所有观察者
    • func notifyAll()
②代码
package mainimport "fmt"/*被观察者持有了集合存放观察者 (收通知的为观察者)- 报纸订阅,报社为被观察者,订阅的人为观察者- MVC 模式,当 model 改变时,View 视图会自动改变,model 为被观察者,View 为观察者
*/type Customer interface {update()
}type CustomerA struct {
}func (c *CustomerA) update() {fmt.Println("我是客户A, 我收到报纸了")
}type CustomerB struct {
}func (c *CustomerB) update() {fmt.Println("我是客户B, 我收到报纸了")
}// NewsOffice 被观察者(报社):存储了所有的观察者,订阅报纸的人为观察者
type NewsOffice struct {customers []Customer
}func (n *NewsOffice) addCustomer(c Customer) {n.customers = append(n.customers, c)
}func (n *NewsOffice) newspaperCome() {//新报纸到了,通知所有客户(观察者)fmt.Println("新报纸到了,通知所有客户(观察者)")n.notifyAllCustomer()
}func (n *NewsOffice) notifyAllCustomer() {for _, customer := range n.customers {customer.update()}
}func main() {a := &CustomerA{}b := &CustomerB{}office := NewsOffice{}// 模拟客户订阅office.addCustomer(a)office.addCustomer(b)// 新的报纸office.newspaperCome()
}

3.3 命令模式(command):命令服务员倒水、命令厨师炒菜

①解析

命令模式本质是把某个对象的方法调用封装到对象中,方便传递、存储、调用。

示例中把主板单中的启动(start)方法和重启(reboot)方法封装为命令对象,再传递到主机(box)对象中。于两个按钮进行绑定:

第一个机箱(box1)设置按钮1(button1) 为开机按钮2(button2)为重启。
第二个机箱(box1)设置按钮2(button2) 为开机按钮1(button1)为重启。
从而得到配置灵活性。

除了配置灵活外,使用命令模式还可以用作:

批处理
任务队列
undo, redo
等把具体命令封装到对象中使用的场合

示例:

  1. 定义ICommand interface接口,包含execute()方法
  2. 定义Invoker struct,包含commands []ICommand
    • 包含Call():用于执行commands中的所有方法
  3. 定义TV struct,包含shutdown和turnOn方法
  4. 定义ShutdownCommand struct,包含tv,实现execute()方法
    • t.tv.Shutdown()
  5. 定义TurnOnCommand struct,包含tv,实现execute()方法
    • t.tv.turnOn()
②代码
package mainimport "fmt"// Invoker 调用者
type Invoker struct {commands []ICommand
}func NewInvoker() *Invoker {invoker := new(Invoker)return invoker
}func (i *Invoker) AddCommand(cmd ICommand) {i.commands = append(i.commands, cmd)
}func (i *Invoker) Call() {if len(i.commands) == 0 {return}for _, command := range i.commands {command.Execute()}
}// ICommand 命令接口
type ICommand interface {Execute()
}type ShutdownCommand struct {tv *TV
}func (s *ShutdownCommand) Execute() {s.tv.ShutDown()
}type TurnOnCommand struct {tv *TV
}func (t *TurnOnCommand) Execute() {t.tv.TurnOn()
}type TV struct {Name string
}func NewTV() *TV {return new(TV)
}func (t *TV) ShutDown() {fmt.Printf("关闭%s电视\n", t.Name)
}func (t *TV) TurnOn() {fmt.Printf("打开%s电视\n", t.Name)
}// 命令模式,客户端通过调用者,传递不同的命令,然后不同的接受者对此进行处理
func main() {invoker := NewInvoker()tv := &TV{Name: "长虹"}shutdownCommand := &ShutdownCommand{tv: tv}turnOnCommand := &TurnOnCommand{tv: tv}invoker.AddCommand(shutdownCommand)invoker.AddCommand(turnOnCommand)invoker.AddCommand(shutdownCommand)invoker.Call()
}

3.4 迭代器模式(iterator):集合遍历

①解析

迭代器模式用于使用相同方式送代不同类型集合或者隐藏集合类型的具体实现。

可以使用迭代器模式使遍历同时应用送代策略,如请求新对象、过滤、处理对象等。

示例:

  1. 定义Iterator interface
    • Next() interface{}
    • HasNext() bool
  2. 定义NumberIterator struct结构体,实现Iterator接口
  3. 定义Numbers struct
    • numbers []int
    • func Iterator(),用于获取number的迭代器
②代码
package mainimport "fmt"/*
迭代器模式(Iterator Pattern):遍历一个聚合对象的元素而无需暴露其内部实现。
迭代器模式提供了一种方式来顺序访问一个聚合对象中的各个元素,而不暴露聚合对象的内部实现细节。实现细节:
1. 通过定义一个 Iterator 接口来实现迭代器模式。
2. 该Iterator接口需要定义两个方法:Next 和 HasNext。- Next 方法用于获取下一个元素- HasNext 方法用于判断是否还有下一个元素。3. 将定义一个 Aggregate 接口和一个具体的聚合对象类型来实现迭代器模式。
*/
// Iterator 迭代器接口
type Iterator interface {Next() interface{}HasNext() bool
}// 具体的聚合对象类型
type Numbers struct {numbers []int
}func (n *Numbers) Iterator() Iterator {return &NumberIterator{numbers: n.numbers,index:   0,}
}// NumberIterator 数字迭代器
type NumberIterator struct {numbers []intindex   int
}func (ni *NumberIterator) Next() interface{} {number := ni.numbers[ni.index]ni.index++return number
}func (ni *NumberIterator) HasNext() bool {if ni.index >= len(ni.numbers) {return false}return true
}func main() {numbers := &Numbers{numbers: []int{1, 2, 3, 4, 5},}iterator := numbers.Iterator()for iterator.HasNext() {fmt.Println(iterator.Next())}
}

3.5 模板方法模式(template method):炒菜之前都需要打开煤气+开火+加油等

①解析

定义一个操作中的算法的骨架,而将一些步骤延迟到子类中。模板方法使得子类可以不改变一个算法的结构即可重定义该算法的某些特定步骤。

  • 通用步骤在抽象类中实现,变化的步骤在具体的子类中实现
  • 做饭,打开煤气,开火,(做饭), 关火,关闭煤气。除了做饭其他步骤都是相同的,抽到抽象类中实现

示例:

  1. 定义type Cooker interface{},包含做饭的全部步骤,open()、openfire()、cook()、close()、closefire()等
  2. 定义type CookMenu struct抽象类,实现做饭的通用步骤,如:打开煤气、打开开关、关闭煤气、关闭开关。具体的做饭内容cook()在子类中实现
  3. 定义type ChaojiDan struct,继承CookMenu(属性里包含CookMenu),实现具体做饭的步骤:炒鸡蛋
    • CookMenu
    • func (ChaoJiDan) cook() {
      fmt.Println(“做炒鸡蛋”)
      }
②代码
package mainimport "fmt"/*关键:通用步骤在抽象类中实现,变化的步骤在具体的子类中实现例:做饭,打开煤气,开火,(做饭), 关火,关闭煤气。除了做饭其他步骤都是相同的,抽到抽象类中实现1. 定义接口,包含做饭的全部步骤2. 定义抽象类type CookMenu struct,实现做饭的通用步骤,打开煤气、开火...3. 定义具体子类XiHongShi、ChaoJiDan struct,重写cook方法(不同的子类有不同的实现)
*/type Cooker interface {open()fire()cook()closefire()close()
}// 类似于一个抽象类
type CookMenu struct {
}func (CookMenu) open() {fmt.Println("打开开关")
}func (CookMenu) fire() {fmt.Println("开火")
}// 做菜,交给具体的子类实现
func (CookMenu) cooke() {
}func (CookMenu) closefire() {fmt.Println("关火")
}func (CookMenu) close() {fmt.Println("关闭开关")
}// 封装具体步骤
func doCook(cook Cooker) {cook.open()cook.fire()cook.cook()cook.closefire()cook.close()
}type XiHongShi struct {CookMenu
}func (*XiHongShi) cook() {fmt.Println("做西红柿")
}type ChaoJiDan struct {CookMenu
}func (ChaoJiDan) cook() {fmt.Println("做炒鸡蛋")
}func main() {x := &XiHongShi{}doCook(x)fmt.Println("============")y := &ChaoJiDan{}doCook(y)
}

3.6 策略模式(strategy):支付可采用现金支付、信用卡支付(策略)

①解析

定义一系列算法,让这些算法在运行时可以互换,使得分离算法,符合开闭原则。

示例:

  1. 定义PaymentStrategy interface 接口
    • Pay(amount float64) error
  2. 定义实现类,CreditCardPaymentStrategy、CashPaymentStrategy
    • 分别实现Pay(amount float64) error方法
  3. 定义上下文对象类PaymentContext
    • amount float64
    • strategy PaymentStrategy
  4. PaymentContext提供Pay()方法,调用strategy.Pay(amount)方法
    • p.strategy.Pay(p.amount)
  5. 提供NewPaymentContext方法,返回*PaymentContext对象
  6. 根据不同策略,调用NewPaymentContext方法,返回不同PaymentContext对象,实现不同的支付
②代码
package mainimport "fmt"// PaymentStrategy 定义策略接口
type PaymentStrategy interface {Pay(amount float64) error
}// CreditCardStrategy 实现具体的支付策略:信用卡支付
type CreditCardStrategy struct {name     stringcardNum  stringpassword string
}func (c *CreditCardStrategy) Pay(amount float64) error {fmt.Printf("Paying %0.2f using credit card\n", amount)return nil
}// CashStrategy 实现具体的支付策略:现金支付
type CashStrategy struct {name string
}func (c *CashStrategy) Pay(amount float64) error {fmt.Printf("Paying %0.2f by cash \n", amount)return nil
}// PaymentContext 定义上下文类
type PaymentContext struct {amount   float64strategy PaymentStrategy
}// Pay 封装pay方法:通过调用strategy的pay方法
func (p *PaymentContext) Pay() error {return p.strategy.Pay(p.amount)
}func NewPaymentContext(amount float64, strategy PaymentStrategy) *PaymentContext {return &PaymentContext{amount:   amount,strategy: strategy,}
}func main() {creditCardStrategy := &CreditCardStrategy{name:    "John Doe",cardNum: "1234 5678 9012 3456",}paymentContext := NewPaymentContext(20.0, creditCardStrategy)paymentContext.Pay()cashStrategy := &CashStrategy{name: "Juicy",}cashPaymentContext := NewPaymentContext(110.0, cashStrategy)cashPaymentContext.Pay()
}

3.7 状态模式(state):QQ包括离线、在线、忙碌等状态

①解析

状态模式用于分离状态和行为。

示例:

  1. 定义ActionState interface接口,包含:状态所关联的 查看、评论、发布行为
    • View()
    • Comment()
    • Post()
  2. 定义ActionState的实现类
    • NormalState:账号正常状态
    • RestrictState:账号受限制状态
    • CloseState:账号被封状态
  3. 定义type Account struct
    • state *ActionState
    • healthValue:健康值对应不同的状态
    • 分别实现View、Comment、Post方法,调用state的方法:a.state.View()
    • 实现changeState方法,根据healthValue设置state
  4. 定义NewAccount(healthValue int) *Account:创建一个账号并设置健康值
package mainimport "fmt"// ActionState 定义状态接口:每个状态可以对应那些动作
type ActionState interface {View()Comment()Post()
}// Account 定义账户结构体:包含当前账户状态State、HealthValue账号健康值
type Account struct {State       ActionStateHealthValue int
}func NewAccount(health int) *Account {a := new(Account)a.SetHealth(health)a.changeState()return a
}func (a *Account) Post() {a.State.Post()
}func (a *Account) View() {a.State.View()
}func (a *Account) Comment() {a.State.Comment()
}type NormalState struct {
}func (n *NormalState) Post() {fmt.Println("正常发帖")
}func (n *NormalState) View() {fmt.Println("正常看帖")
}func (n *NormalState) Comment() {fmt.Println("正常评论")
}type RestrictState struct {
}func (r *RestrictState) Post() {fmt.Println("抱歉,你的健康值小于0,不能发帖")
}func (r *RestrictState) View() {fmt.Println("正常看帖")
}func (r *RestrictState) Comment() {fmt.Println("正常评论")
}type CloseState struct {
}func (c *CloseState) Post() {fmt.Println("抱歉,你的健康值小于0,不能发帖")
}func (c *CloseState) View() {fmt.Println("账号被封,无法看帖")
}func (c *CloseState) Comment() {fmt.Println("抱歉,你的健康值小于-10,不能评论")
}func (a *Account) SetHealth(value int) {a.HealthValue = valuea.changeState()
}func (a *Account) changeState() {if a.HealthValue <= -10 {a.State = &CloseState{}} else if a.HealthValue > -10 && a.HealthValue <= 0 {a.State = &RestrictState{}} else if a.HealthValue > 0 {a.State = &NormalState{}}
}func main() {fmt.Println("===========正常账户===========")//正常账户:可发帖、评论、查看account := NewAccount(10)account.Post()account.View()account.Comment()fmt.Println("===========受限账户===========")//受限账户:不能发帖、可以评论和查看account.SetHealth(-5)account.Post()account.View()account.Comment()fmt.Println("===========被封号账户===========")//被封号账户:不能发帖、不能评论、不能查看account.SetHealth(-11)account.Post()account.View()account.Comment()
}

3.8 备忘录模式(memento):文本的撤销与重做

①解析

备忘录模式用于保存程序内部状态到外部,又不希望暴露内部状态的情形。

允许在不破坏封装性的前提下保存和恢复对象的内部状态,程序内部状态使用窄接口传递给外部进行存储,从而不暴露程序实现细节。

备忘录模式同时可以离线保存内部状态,如保存到数据库,文件等。

该模式涉及三个主要角色:

  • Originator(发起人):Originator 是拥有内部状态的对象
  • Memento(备忘录):Memento 是 Originator 的快照
  • Caretaker(负责人):Caretaker 负责备份和恢复 Memento。

示例:

state暂时用string来代替,实际可用struct
案例演示:实现一个文本编辑器,提供撤销和重做功能

  1. 定义Originator interface, Originator 发起人:用于保存或者恢复当前状态(备忘录)
    • Save() Memento
    • Restore(m Memento)
  2. 定义Memento interface ,提供方法用于获取当前状态【备忘录:记录当前状态】
    • GetState() string
  3. 定义TextMemento struct,实现Memento接口,保存state
  4. 定义textEditor struct,实现Originator接口
    • state string
    • func Save() Memento
    • func Restore(m Memento)
    • func SetState(state string)
  5. 定义Caretaker struct
    • mementos []Memento
    • currentIndex int
    • func AddMemento(m Memento)
    • func Undo(t *TextEditor)
    • func Redo(t *TextEditor)
②代码
package mainimport "fmt"type Originator interface {Save() MementoRestore(m Memento)
}type Memento interface {GetState() string
}type TextEditor struct {state string
}func (t *TextEditor) Save() Memento {return &textMemento{state: t.state}
}func (t *TextEditor) Restore(m Memento) {t.state = m.GetState()
}func (t *TextEditor) SetState(state string) {t.state = state
}func (t *TextEditor) GetState() string {return t.state
}type textMemento struct {state string
}func (t *textMemento) GetState() string {return t.state
}type Caretaker struct {mementos     []MementocurrentIndex int
}func (c *Caretaker) AddMemento(m Memento) {c.mementos = append(c.mementos, m)c.currentIndex = len(c.mementos) - 1
}func (c *Caretaker) Undo(t *TextEditor) {if c.currentIndex > 0 {c.currentIndex--m := c.mementos[c.currentIndex]t.Restore(m)}
}func (c *Caretaker) Redo(t *TextEditor) {if c.currentIndex < len(c.mementos)-1 {c.currentIndex++m := c.mementos[c.currentIndex]t.Restore(m)}
}func main() {editor := &TextEditor{}caretaker := &Caretaker{}editor.SetState("State #1")caretaker.AddMemento(editor.Save())editor.SetState("State #2")caretaker.AddMemento(editor.Save())editor.SetState("State #3")caretaker.AddMemento(editor.Save())caretaker.Undo(editor)caretaker.Undo(editor)fmt.Println(editor.GetState())caretaker.Redo(editor)fmt.Println(editor.GetState())
}

3.9 解释器模式(interpreter):SQL语法解析器

①解析

解释器模式(Interpreter Pattern)是一种行为设计模式,它定义了一种语言,用于解释一些特定的领域问题。
在该模式中,将语言中的元素映射到类中,并定义它们之间的关系。然后,可以使用这些类来解释表达式,以解决特定的问题。

应用场景:

  1. 处理配置文件:json、yaml
  2. 模板引擎:模板引擎处理模板和一组变量以产生输出。模板是DSL的一个例子,可以使用Interpreter来解析和处理模板。
  3. 数学表达式计算器

解释器模式中的关键组件:

表达式接口:表示抽象语法树的元素并定义解释表达式的方法。
具体表达式:实现表达式接口的结构,表示语言语法的各种规则或元素。
上下文对象:用于保存解释过程中所需的任何必要信息或状态。
Parser 或 Builder:负责根据输入表达式构建抽象语法树的组件。

示例:

构建一个计算器

  1. 定义Expression interface接口,包含Interpret() int方法
  2. 定义NumberExpression struct,实现Interpret() int方法
    • val int
  3. 定义AdditionExpression struct,实现Interpret() int方法,返回两数之和
    • left Expression
    • right Expression
    • func Interpret() int {
      }
  4. 定义SubtractionExpression struct,实现Interpret() int方法,返回两数之差
    • left Expression
    • right Expression
    • func Interpret() int {
      }
  5. 定义Parser struct,存储输入表达式exp、index解析索引位置、prev 上一个表达式
    • exp []string
    • index int
    • prev Expression
    • func Parse() Expression {
      }
    • func newAdditionExpression() Expression{
      }
    • func newSubtractionExpression() Expression{
      }
②代码
package mainimport ("fmt""log""strconv""strings"
)type Expression interface {Interpret() int
}type NumberExpression struct {val int
}func (n *NumberExpression) Interpret() int {return n.val
}type AdditionExpression struct {left, right Expression
}func (a *AdditionExpression) Interpret() int {return a.left.Interpret() + a.right.Interpret()
}type SubtractionExpression struct {left, right Expression
}func (a *SubtractionExpression) Interpret() int {return a.left.Interpret() - a.right.Interpret()
}type Parser struct {exp   []stringindex intprev  Expression
}func (p *Parser) Parse(exp string) {p.exp = strings.Split(exp, " ")for {if p.index >= len(p.exp) {return}switch p.exp[p.index] {case "+":p.prev = p.newAdditionExpression()case "-":p.prev = p.newSubtractionExpression()default:p.prev = p.newNumberExpression()}}
}func (p *Parser) newAdditionExpression() Expression {p.index++return &AdditionExpression{left:  p.prev,right: p.newNumberExpression(),}
}func (p *Parser) newSubtractionExpression() Expression {p.index++return &SubtractionExpression{left:  p.prev,right: p.newNumberExpression(),}
}func (p *Parser) newNumberExpression() Expression {v, _ := strconv.Atoi(p.exp[p.index])p.index++return &NumberExpression{val: v,}
}func (p *Parser) Result() Expression {return p.prev
}func main() {p := &Parser{}p.Parse("1 + 3 + 3 + 3 - 3")res := p.Result().Interpret()expect := 7if res != expect {log.Fatalf("error: expect %d got %d", expect, res)}fmt.Printf("expect: %d, got: %d", expect, res)
}

3.10 职责链模式(chain of responsibility):层层上报处理刑事案件

①解析

职责链模式是一种行为设计模式,定义了一系列对象,每个对象可以选择处理某个请求,也可以将该请求传给链中的下一个对象。

模式结构(职责链模式包含以下角色):

  • 抽象处理器(Handler):定义出一个处理请求的接口。
  • 具体处理器(ConcreteHandler):实现抽象处理器的接口,处理它所负责的请求。如果不处理该请求,则把请求转发给它的后继者。
  • 客户端(Client):创建处理器对象,并将请求发送到某个处理器。

示例:

演示国家刑事案件处理流程,下级先处理,如果处理不了,交给下一个

  1. 定义Handler interface接口
    • SetNext(handler Handler) //设置下一个处理器
    • Handle(request int) //处理请求
  2. 定义type TownHandler struct
    • NextHandler Handler //它的下一个处理器
    • Handle(request int) :如果案件级别高于20,就交给下一handler处理
    • func SetNext(handler Handler)
  3. 定义type CityHandler struct
    • NextHandler Handler //它的下一个处理器
    • Handle(request int) :如果案件级别高于100,就交给下一handler处理
    • func SetNext(handler Handler)
  4. 定义type ProvinceHandler struct
    • NextHandler Handler //它的下一个处理器
    • Handle(request int)
    • func SetNext(handler Handler)
②代码
package mainimport "fmt"/*抽象处理器(Handler):定义出一个处理请求的接口。具体处理器(ConcreteHandler):实现抽象处理器的接口,处理它所负责的请求。如果不处理该请求,则把请求转发给它的后继者。客户端(Client):创建处理器对象,并将请求发送到某个处理器。案例:我们在处理一些法律案件时,是层层上报,如果乡镇处理不了就交给市区处理,如果市区处理不了就交给省处理,如果省处理不了就交给国家处理...
*/type Handler interface {SetNext(handler Handler) //设置下一个处理器Handle(request int)      //处理请求
}type TownHandler struct {NextHandler Handler
}func (t *TownHandler) SetNext(handler Handler) {t.NextHandler = handler
}func (t *TownHandler) Handle(request int) {//处理刑事案件,案件级别小于20if request <= 20 {fmt.Println("TownHandler: 小于等于20,我来处理。")} else {if t.NextHandler != nil {t.NextHandler.Handle(request)}}
}type CityHandler struct {NextHandler Handler
}func (c *CityHandler) SetNext(handler Handler) {c.NextHandler = handler
}func (c *CityHandler) Handle(request int) {if request > 20 && request <= 100 {fmt.Println("CityHandler: 大于20小于等于100,我来处理。")} else {if c.NextHandler != nil {c.NextHandler.Handle(request)}}
}type ProvinceHandler struct {NextHandler Handler
}func (p *ProvinceHandler) SetNext(handler Handler) {p.NextHandler = handler
}func (p *ProvinceHandler) Handle(request int) {if request > 100 {fmt.Println("ProvinceHandler: 大于100,我来处理。")} else {if p.NextHandler != nil {p.NextHandler.Handle(request)}}
}func main() {townHandler := &TownHandler{}cityHandler := &CityHandler{}provinceHandler := &ProvinceHandler{}townHandler.SetNext(cityHandler)cityHandler.SetNext(provinceHandler)// 处理请求requests := []int{5, 50, 300}for _, request := range requests {townHandler.Handle(request)}
}

3.11 访问者模式(visitor):dev、pro打印不同信息

①解析

访问者模式是一种操作一组对象的操作,它的目的是不改变对象的定义,但可以新增不同的访问者来定义新的操作。
访问者的核心思想是为了访问比较复杂的数据结构,不去改变原数据结构,而是把对数据的操作抽象出来,在访问的过程中以回调形式在访问者中处理逻辑操作。
如果要新增一组操作,那么只需要增加一个新的访问者。

示例:

根据不同环境打印不同内容,在生产环境和开发环境中打印处不同的内容

  1. 定义IVisitor interface
    • Visit()
  2. 定义ProductionVisitor struct,实现IVisitor接口
    • env string
    • func Visit():判断env如果是生产环境,则打印生产环境的内容
  3. 定义DevelopmentVisitor struct,实现IVisitor接口
    • env string
    • func Visit():判断env如果是开发环境,则打印开发环境的内容
  4. 定义IElement interface接口
    • func Accept(IVisitor)
  5. 定义Element struct,实现IElement接口
    • visitors []IVisitor
  6. 定义ExampleLog struct(要打印的日志)
    • Element
    • 实现print方法,遍历visitors,调用每个visitor的Visit方法
②代码
package mainimport "fmt"/*通过访问者模式实现在生产环境和开发环境中打印处不同的内容
*/type IVisitor interface {Visit() //访问者的访问方法
}type ProductionVisitor struct {env string
}func (p *ProductionVisitor) Visit() {if p.env == "pro" {fmt.Println("这是生产环境的输出")}
}type DevelopmentVisitor struct {env string
}func (d *DevelopmentVisitor) Visit() {if d.env == "dev" {fmt.Println("这是开发环境的输出")}
}// IElement IElement接口,在其中声明一个accept()操作,它以一个抽象访问者作为参数
type IElement interface {Accept(visitor IVisitor)
}// Element 具体元素,它实现了accept()操作,在accept()中调用访问者的访问方法以便完成对一个元素的操作
type Element struct {visitors []IVisitor
}func (p *Element) Accept(visitor IVisitor) {p.visitors = append(p.visitors, visitor)
}type ExampleLog struct {Element
}func (e *ExampleLog) Print() {for _, visitor := range e.visitors {visitor.Visit()}
}func main() {ele := Element{}env := "dev"ele.Accept(&ProductionVisitor{env: env})ele.Accept(&DevelopmentVisitor{env: env})example := &ExampleLog{Element: ele}example.Print()
}

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

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

相关文章

ChatGPT在数据分析学习阶段的应用

ChatGPT在数据分析学习阶段的应用 ​ 这个阶段&#xff0c;核心是三件事&#xff1a;制定学习计划、确定学习资料以及学习策略。我们可以自己完成这几件事&#xff0c;当然也可以借助ChatGPT来高效地达到目的。 1.1 制定学习计划 ​ 学习阶段的第一件事是制定学习计划&#…

USACO 2024年1月铜组 MAJORITY OPINION

第一题&#xff1a;MAJORITY OPINION 标签&#xff1a;思维、模拟 题意&#xff1a;给定一个长度为 n n n的序列 a a a&#xff0c;操作&#xff1a;若区间 [ i , j ] [i,j] [i,j]内某个数字 k k k出现的次数 大于区间长度的一半&#xff0c;可以将区间内的所有数都换成这个数…

python之元类

最近刚好在准备面试&#xff0c;然后复习知识点。看了好多元类相关的文章&#xff0c;但还是心存疑惑&#x1f914;。 还是写点东西吧&#xff01; 元类&#xff0c;官方的定义是&#xff0c;类的类型。而类型的顶点&#xff0c;便是type metaclass - The class of a class.…

Java流程控制

1. 流程控制 在一个程序中&#xff0c;有很多的代码&#xff0c;代码的执行顺序&#xff0c;就是流程。 用于控制代码流程的方式&#xff0c;就是流程控制 流程控制的分类&#xff1a; 顺序结构&#xff1a;代码从上到下&#xff0c;从右到左依次执行。 分支结构&#xff1a…

OpenAI的Sora的优点

OpenAI的Sora的优点主要包括以下几个方面&#xff1a; 1.强大的视频生成能力&#xff1a;Sora可以根据用户的文本提示或静态图像生成高质量、逼真的视频。它继承了DALL-E 3的画质和遵循指令能力&#xff0c;能够生成具有多个角色、包含特定运动的复杂场景&#xff0c;几乎达到…

Unity3d Mesh篇(一)— 创建简单三角面

文章目录 前言一、Mesh组成二、使用步骤三、效果四、总结 前言 Mesh&#xff08;网格&#xff09;是一种常用的3D图形表示方法&#xff0c;它由顶点&#xff0c;法线&#xff0c;UV 坐标&#xff0c;和三角形等组成。您可以使用 Mesh 类的方法来创建或修改网格&#xff0c;也可…

k8s学习(RKE+k8s+rancher2.x)成长系列之简配版环境搭建(三)

3.19.切换RKE用户&#xff0c;并做免密登录&#xff08;三台机器相互免密&#xff09; su rke cd~ ssh-keygen[rkemaster.ssh]$ssh-copy-id rkeslaver2 [rkemaster.ssh]$ssh-copy-id rkeslaver1 [rkemaster.ssh]$ssh-copy-id rkemaster3.20.搭建RKE集群 为了方便理解&#…

office的excel中使用,告诉我详细的解决方案,如何变成转化为金额格式

在Office的Excel中&#xff0c;如果你想将名为"MEREFIELD"的公式结果转换为金额格式&#xff0c;你可以遵循以下详细步骤来实现&#xff1a; 书写MEREFIELD公式&#xff1a; 首先&#xff0c;在Excel中输入或确认你的MEREFIELD公式。例如&#xff0c;假设这个公式是用…

基于STL的演讲比赛流程管理系统(个人学习笔记黑马学习)

1、演讲比赛程序需求 1.1比赛规则 学校举行一场演讲比赛&#xff0c;共有12个人参加。比赛共两轮&#xff0c;第一轮为淘汰赛&#xff0c;第二轮为决赛。每名选手都有对应的编号&#xff0c;如 10001~10012比赛方式:分组比赛&#xff0c;每组6个人;第一轮分为两个小组&#xff…

SpringBoot 条件注解一览无余

文章目录 条件注解是什么有哪些条件注解类条件注解Bean条件注解属性条件注解资源条件注解web应用条件注解SpEL( Spring Expression Language )表达式条件注解其他条件注解 总结 前些天发现了一个巨牛的人工智能学习网站&#xff0c;通俗易懂&#xff0c;风趣幽默&#xff0c;忍…

Java中的控制语句

控制语句包括3类&#xff1a;选择语句&#xff08;if语句&#xff0c;switch语句&#xff09;&#xff0c;循环语句&#xff08;for循环&#xff0c;while循&#xff0c;do..while..循环&#xff09;&#xff0c;转向语句&#xff08;break&#xff0c;continue&#xff0c;ret…

四、通信和网络安全—网络通信模型(CISSP)

目录 1.OSI七层参照模型 2.OSI七层模型与TCP/IP网络模型的关系 2.1 网络层(Application Layer)

Flutter使用问题整理

前言 写这篇文章是为了记录平时在使用flutter时遇到的问题&#xff0c;及解决方案&#xff0c;方便再次遇到时能够快速解决。 问题及解决 问题1 真机运行项目&#xff0c;在构建时提示 Running Gradle task assembleDebug... 41.8s [!] App r…

OpenCV中inRange函数

在OpenCV中&#xff0c;inRange函数用于根据颜色范围从图像中提取特定的颜色区域。这个函数检查输入图像中的每个像素&#xff0c;如果像素值位于指定的范围内&#xff0c;则在输出图像&#xff08;或掩码&#xff09;中对应位置的像素被设置为白色&#xff08;或者说是255&…

基于STM32的光照检测系统设计

基于STM32的光照检测系统设计 摘要: 随着物联网和智能家居的快速发展,光照检测系统在智能环境控制中扮演着越来越重要的角色。本文设计了一种基于STM32的光照检测系统,该系统能够实时检测环境光强度,并根据光强度调节照明设备,实现智能照明控制。本文首先介绍了系统的总体…

消息队列-RabbitMQ:MQ作用分类、RabbitMQ核心概念及消息生产消费调试

1、MQ 的相关概念 1&#xff09;什么是 MQ MQ (message queue)&#xff0c;从字面意思上看&#xff0c;本质是个队列&#xff0c;FIFO 先入先出&#xff0c;只不过队列中存放的内容是 message 而已&#xff0c;还是一种跨进程的通信机制&#xff0c;用于上下游传递消息。在互…

Delphi v11 安卓权限申请

问题 Delphi 10.4 的安卓权限申请代码&#xff0c;在 Delphi 11 下面编译无法通过。 原因 原因是里面有几个变量类型的定义有所不同。 procedure TDmBLE.RequestPermissionsResult(Sender: TObject; const APermissions: TArray<string>; const AGrantResults: TAr…

基于python+django+vue.js开发的医院门诊管理系统/医疗管理系统

功能介绍 平台采用B/S结构&#xff0c;后端采用主流的Python语言进行开发&#xff0c;前端采用主流的Vue.js进行开发。 功能包括&#xff1a;医生管理、科室管理、护士管理、住院管理、药品管理、用户管理、日志管理、系统信息模块。 源码地址 https://github.com/geeeeeee…

Vue报错,xxx is defined #变量未定义

vue.js:5129 [Vue warn]: Error in v-on handler: "ReferenceError: count is not defined" 浏览器将这个变量 当做全局变量了&#xff0c;事实上它只是实例中的变量 加上this指定&#xff0c;是vue实例中的变量

Itext生成pdf文件,html转pdf时中文一直显示不出来

之前使用freemark模板渲染ftl页面,转出的pdf中&#xff0c;css2有些样式好像不支持&#xff0c;比较常用的居中样式都没有效果&#xff0c;text-align:center 改造成使用html页面来转pdf&#xff0c;css2的样式可以生效,itext是不支持css3的弹性布局的ITextRenderer pdfRendere…