返回值作为多参数函数的参数
处理返回多个值的函数时,可以使用这些值作为输入其他函数的参数。但是,当接收函数有附加参数时,会受到某些限制。
考虑以下代码:
<code class="go">func returnIntAndString() (i int, s string) {...} func doSomething(msg string, i int, s string) {...}</code>
如果我们尝试将 returnIntAndString() 的返回值直接传递给 doSomething() :
<code class="go">doSomething("message", returnIntAndString())</code>
Go 会报错:
multiple-value returnIntAndString() in single-value context not enough arguments in call to doSomething()
这是因为 Go 只允许将单个值作为参数传递给函数,即使函数的返回值上一个函数产生多个值。
要解决此问题,您有两个选择:
分配返回值:
分配返回值值到临时变量并将它们单独传递给 doSomething()。
<code class="go">i, s := returnIntAndString() doSomething("message", i, s)</code>
返回特定值:
在 returnIntAndString() 函数中,返回一个具有每个值的字段的命名结构。然后,将结构传递给 doSomething()。
<code class="go">type Result struct { I int S string } func returnIntAndString() Result {...} res := returnIntAndString() doSomething("message", res.I, res.S)</code>
请记住,Go 的特定规则不允许在分配参数时与多值返回值函数一起使用其他参数。如果不满足语言规范中概述的具体条件,您必须采用提供的解决方案之一。
以上是如何将多个返回值作为参数传递给 Go 中的函数?的详细内容。更多信息请关注PHP中文网其他相关文章!