Go:通过interface{}指针传递返回值

huangapple go评论96阅读模式
英文:

Go: Passing a return value via an interface{} pointer

问题

我有一个函数,看起来像这样:

  1. func Foo(result interface{}) error {
  2. ...
  3. json.Unmarshal([]byte(some_string), result)
  4. ...
  5. }

它的调用方式如下:

  1. var bar Bar
  2. Foo(&bar)

通常情况下,Foo会获取一个字符串,然后将其解析为结果。然而,现在我需要更新它,使得Foo有时从另一个来源加载数据并返回。

  1. type Loader func() interface{}
  2. func Foo(result interface{}, load Loader) error {
  3. ...
  4. data := load()
  5. // result = data ???
  6. ...
  7. }

有没有办法将这个新值赋给result?我发现我可以将数据编组为字符串,然后将其解组到result中,这样可以工作,但我无法想象这是最好的方法。

英文:

I have a function that looks like this:

  1. func Foo(result interface{}) error {
  2. ...
  3. json.Unmarshal([]byte(some_string), result)
  4. ...
  5. }

Which is called like this:

  1. var bar Bar
  2. Foo(&bar)

Generally, Foo fetches a string that is then unmarshalled into the result. However, now I need to update it so that Foo sometimes loads data from another source and returns that instead.

  1. type Loader func() (interface{})
  2. func Foo(result interface{}, Loader load) error {
  3. ...
  4. data := load()
  5. // result = data ???
  6. ...
  7. }

Is there any way for me to assign this new value to result? I found that I can marshal the data into a string and then unmarshal it into result which works, but I can't imagine that's the best way.

答案1

得分: 5

你可以这样做:

  1. p := result.(*Bar)
  2. *p = data

第一行是一个类型断言(type assertion)。

第二行将data赋值给解引用的指针。将值赋给解引用的指针会改变引用地址处的值。

由于你不知道resultdata的底层类型,你最好使用类型断言的switch语句。

  1. switch v := data.(type) {
  2. case Bar:
  3. // 如果'data'的类型是'Bar'
  4. p, ok := result.(*Bar)
  5. if !ok {
  6. // 这意味着输入有误。
  7. // 'result'和'data'应该具有相同的底层类型。
  8. fmt.Println("底层类型不匹配")
  9. break
  10. }
  11. *p = v
  12. case Baz:
  13. // 如果'data'的类型是'Baz'
  14. // 对于'Baz',与上面的代码等效
  15. }

参见switch语句中的**类型开关(Type Switches)**部分。

英文:

You can do,

  1. p := result.(*Bar)
  2. *p = data

The first line is a type assertion.

The second assigns data to the dereferenced pointer. Assigning a value to a dereferenced pointer changes the value at the referenced address.

Since you don't know the underlying types of result or data the best you can do is using a type assertion switch.

  1. switch v := data.(type) {
  2. case Bar:
  3. // If 'data' is of type 'Bar'
  4. p, ok := result.(*Bar)
  5. if(!ok){
  6. // This means inputs were bad.
  7. // 'result' and 'data' should both have the same underlying type.
  8. fmt.Println("underlying types mismatch")
  9. break;
  10. }
  11. *p = v
  12. case Baz:
  13. // If 'data' is of type 'Baz'
  14. // Equivalent of above for 'Baz'
  15. }

See Type Switches from switch statement

huangapple
  • 本文由 发表于 2016年4月6日 17:17:18
  • 转载请务必保留本文链接:https://go.coder-hub.com/36446675.html
匿名

发表评论

匿名网友

:?: :razz: :sad: :evil: :!: :smile: :oops: :grin: :eek: :shock: :???: :cool: :lol: :mad: :twisted: :roll: :wink: :idea: :arrow: :neutral: :cry: :mrgreen:

确定