1
0
Fork 0
mirror of https://github.com/tmrts/go-patterns.git synced 2025-04-04 05:33:33 +03:00

Update proxy description with simple example

This commit is contained in:
Artjom Nemiro 2017-06-15 18:52:21 +03:00
parent 217eccac48
commit e3a0dadc87

View file

@ -6,8 +6,38 @@ The [proxy pattern](https://en.wikipedia.org/wiki/Proxy_pattern) provides an obj
The proxy could interface to anything: a network connection, a large object in memory, a file, or some other resource that is expensive or impossible to duplicate.
Short idea of implementation:
```go
// Some short examples
type IObject interface {
ObjDo(action string)
}
type Object struct {
action string
}
func (obj *Object) ObjDo(action string) {
// Action handler
fmt.Printf("I do, %s", action)
}
type ProxyObject struct {
object *Object
}
func (p *ProxyObject) ObjDo(action string) {
if p.object == nil {
p.object = new(Object)
}
if action == "Run" {
p.object.ObjDo(action)
}
}
func main() {
newObj := new(ProxyObject)
newObj.ObjDo("Run") // Prints: I can, Run
}
```
## Usage