Go设计模式之单例模式
Posted 够浪程序员
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Go设计模式之单例模式相关的知识,希望对你有一定的参考价值。
简介
单例模式是使用最多的设计模式之一,在工作和面试中也常常提到这个设置模式。单例模式可以保证系统中,应用该模式的类一个类只有一个实例。即一个类只有一个对象实例。
代码示例
Go
的单例模式中有一个地方比较有趣,就是使用了sync.Once
来控制具体类的实例化只会被创建一次。
新建singleton/singleton.go
:
1package singleton
2
3type singleton map[string]string
4
5var (
6 once sync.Once
7
8 instance singleton
9)
10
11func New() singleton {
12 once.Do(func() {
13 instance = make(singleton)
14 })
15
16 return instance
17}
然后新建main.go
:
1package main
2
3import (
4 "fmt"
5 "helloworld/singleton"
6)
7
8func main() {
9 //实现单例singleton
10 s := singleton.New()
11
12 s["one"] = "one"
13 //再次调用不会创建新的实例
14 s2 := singleton.New()
15
16 fmt.Println("This is ", s2["one"])
17}
执行go run main.go
,控制台打印信息:
1$ go run main.go
2This is one
需要注意的是,sync.Once
可以保证赋值操作只会执行一次,这个过程还是线程安全的。具体的实现机制可以看下源码:
1// Copyright 2009 The Go Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style
3// license that can be found in the LICENSE file.
4
5package sync
6
7import (
8 "sync/atomic"
9)
10
11// Once is an object that will perform exactly one action.
12type Once struct {
13 m Mutex
14 done uint32
15}
16
17// Do calls the function f if and only if Do is being called for the
18// first time for this instance of Once. In other words, given
19// var once Once
20// if once.Do(f) is called multiple times, only the first call will invoke f,
21// even if f has a different value in each invocation. A new instance of
22// Once is required for each function to execute.
23//
24// Do is intended for initialization that must be run exactly once. Since f
25// is niladic, it may be necessary to use a function literal to capture the
26// arguments to a function to be invoked by Do:
27// config.once.Do(func() { config.init(filename) })
28//
29// Because no call to Do returns until the one call to f returns, if f causes
30// Do to be called, it will deadlock.
31//
32// If f panics, Do considers it to have returned; future calls of Do return
33// without calling f.
34//
35func (o *Once) Do(f func()) {
36 if atomic.LoadUint32(&o.done) == 1 {
37 return
38 }
39 // Slow-path.
40 o.m.Lock()
41 defer o.m.Unlock()
42 if o.done == 0 {
43 defer atomic.StoreUint32(&o.done, 1)
44 f()
45 }
46}
从上面源码可以看出使用sync/atomic
和Mutex
进行加锁的原子操作来保证并发安全的。
每次调用Do
函数都会检测done
的值是否是1
,如果不是1
,将会对done
值进行操作,第40
行使用了Mutex
加锁,锁的类型是互斥锁,第42
行代码展示如果done
等于0
时就会导致done
的值+1
。
应用场景
系统只需要一个实例对象,如系统要求提供一个唯一的序列号生成器或资源管理器,或者需要考虑资源消耗太大而只允许创建一个对象。
客户调用类的单个实例只允许使用一个公共访问点,除了该公共访问点,不能通过其他途径访问该实例。
由于配置文件一般都是共享资源,一般采用单例模式来实现。如:游戏服务端的配置文件的读取等。
创建对象时耗时过多或者耗资源过多,但又经常用到的对象。
数据库连接池的设计一般也是采用单例模式,因为数据库连接是一种数据库资源。数据库软件系统中使用数据库连接池,主要是节省打开或者关闭数据库连接所引起的效率损耗,这种效率上的损耗还是非常昂贵的,因为何用单例模式来维护,就可以大大降低这种损耗。
多线程的线程池的设计一般也是采用单例模式,这是由于线程池要方便对池中的线程进行控制。
游戏客户端常常使用单例模式控制场景切换等减少唯一资源频繁创建消耗资源。
游戏中区服的计数器之类的,比如全服团购次数。
以上是关于Go设计模式之单例模式的主要内容,如果未能解决你的问题,请参考以下文章