Go 语言的副作用

发布于 2024-10-14 14:31:00 字数 81 浏览 8 评论 0原文

有谁知道如何用Go语言编写有副作用的函数吗? 我的意思是像 C 中的 getchar 函数一样。

谢谢!

Does anyone know how to write a function with side effects in the Go language?
I mean like the getchar function in C.

Thanks!

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(2

暗藏城府 2024-10-21 14:31:00

ReadByte 函数修改缓冲区的状态。

package main

import "fmt"

type Buffer struct {
    b []byte
}

func NewBuffer(b []byte) *Buffer {
    return &Buffer{b}
}

func (buf *Buffer) ReadByte() (b byte, eof bool) {
    if len(buf.b) <= 0 {
        return 0, true
    }
    b = buf.b[0]
    buf.b = buf.b[1:]
    return b, false
}

func main() {
    buf := NewBuffer([]byte{1, 2, 3, 4, 5})
    for b, eof := buf.ReadByte(); !eof; b, eof = buf.ReadByte() {
        fmt.Print(b)
    }
    fmt.Println()
}

Output: 12345

The ReadByte function modifies the state of the buffer.

package main

import "fmt"

type Buffer struct {
    b []byte
}

func NewBuffer(b []byte) *Buffer {
    return &Buffer{b}
}

func (buf *Buffer) ReadByte() (b byte, eof bool) {
    if len(buf.b) <= 0 {
        return 0, true
    }
    b = buf.b[0]
    buf.b = buf.b[1:]
    return b, false
}

func main() {
    buf := NewBuffer([]byte{1, 2, 3, 4, 5})
    for b, eof := buf.ReadByte(); !eof; b, eof = buf.ReadByte() {
        fmt.Print(b)
    }
    fmt.Println()
}

Output: 12345
雨后彩虹 2024-10-21 14:31:00

在 C 中,副作用用于有效地返回多个值。

在 Go 中,返回多个值内置于函数规范中:

func f(a int) (int, int) {
    if a > 0 {
        return a, 1
    }
    return 0,0
}

通过返回多个值,您可以影响函数外部您喜欢的任何内容,作为函数调用的结果。

In C, side effects are used to effectively return multiple values.

In Go, returning multiple values is built into the specification of functions:

func f(a int) (int, int) {
    if a > 0 {
        return a, 1
    }
    return 0,0
}

By returning multiple values, you can influence anything you like outside of the function, as a result of the function call.

~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文