Home > Article > Backend Development > How to inherit golang functions?
In Go, you can use anonymous functions to inherit functions. The method is as follows: Pass the original function as a parameter of the anonymous function. Call the original function in the anonymous function. Extend the functionality of the original function through inherited function calls.
How to inherit functions in Go?
There is no direct concept of inheritance in the Go language, but we can use anonymous functions to simulate this behavior.
Inheriting functions using anonymous functions
We can pass a function as a parameter of the anonymous function and call the function in the anonymous function.
func greet(name string) { fmt.Printf("Hello, %s!\n", name) } // 继承 greet 函数,并在其基础上添加额外的功能 inheritedGreet := func(name string, numTimes int) { greet(name) for i := 0; i < numTimes-1; i++ { fmt.Printf("Hello again, %s!\n", name) } } // 调用继承的函数 inheritedGreet("Alice", 3)
Practical case: Inherit io.Writer
We can use anonymous functions to inherit the io.Writer
interface to create custom logs Recording function.
// 自定义 Writer,它会在写入数据之前为每一行添加时间戳 type TimestampedWriter struct { w io.Writer } // 继承 io.Writer.Write 方法 func (w *TimestampedWriter) Write(p []byte) (n int, err error) { // 调用 io.Writer.Write 方法,将其作为匿名函数的参数传递 n, err = w.w.Write(append([]byte(time.Now().Format("2006-01-02T15:04:05")), p...)) return } // 创建一个自定义 Writer writer := TimestampedWriter{w: os.Stdout} // 使用自定义 Writer fmt.Fprintln(writer, "Hello, world!")
By using anonymous functions, we can easily simulate function inheritance in Go and create powerful custom functions.
The above is the detailed content of How to inherit golang functions?. For more information, please follow other related articles on the PHP Chinese website!