使用结构传递多个值GO

时间:2015-06-30 18:52:39

标签: struct go

我只有一个问题 我在这里写了一个例子

package main

import (
  "fmt"
)
type PACK struct {
  d, r int
}

func main() {

  st := &PACK{}
  st.d, st.r = f(12, 32)
}

func f(a, b int) (d int, r int) {
  d = a / b
  r = a ^ b
  return
}

所以,问题是 - 我怎样才能做出像这样的事情

st := &PACK{ f(1,2) }

我希望我的函数返回参数是一个struct初始化器!

2 个答案:

答案 0 :(得分:1)

你不能这样做,这是不可能的。

答案 1 :(得分:0)

You can create a method on struct Pack, that will initialize the values. For example:

package main

import "fmt"

type Pack struct {
    d, r int
}

func (p *Pack) init (a, b int) {
    p.d = a / b
    p.r = a ^ b
}

func main() {
    pack := Pack{}   // d and r are initialized to 0 here
    pack.init(10, 4)
    fmt.Println(pack)

}

Result:

{2 14}

goplayground