Home >Backend Development >Golang >How Can I Efficiently Initialize Arrays in Go, Similar to C 's memset?

How Can I Efficiently Initialize Arrays in Go, Similar to C 's memset?

Barbara Streisand
Barbara StreisandOriginal
2024-12-25 20:03:11243browse

How Can I Efficiently Initialize Arrays in Go, Similar to C  's memset?

Is there an Equivalent of memset in Go?

In C , the memset function allows for the efficient initialization of arrays with specific values. In Go, while there is no direct equivalent, several techniques can achieve similar results.

Loop Iteration

The simplest approach is to use a loop to set each element of an array to the desired value.

func memsetLoop(a []int, v int) {
    for i := range a {
        a[i] = v
    }
}

Repeated copy()

Taking advantage of the highly optimized copy() function, we can leverage a repeated copy pattern to efficiently set array values.

func memsetRepeat(a []int, v int) {
    if len(a) == 0 {
        return
    }
    a[0] = v
    for bp := 1; bp < len(a); bp *= 2 {
        copy(a[bp:], a[:bp])
    }
}

Benchmark Results

To assess the performance of these techniques, we benchmark them against each other for different array sizes.

var a = make([]int, 1000) // Size will vary

func BenchmarkLoop(b *testing.B) {
    for i := 0; i < b.N; i++ {
        memsetLoop(a, 10)
    }
}

func BenchmarkRepeat(b *testing.B) {
    for i := 0; i < b.N; i++ {
        memsetRepeat(a, 11)
    }
}

The results show that memsetRepeat() outperforms memsetLoop() for larger arrays, demonstrating its efficiency for fast initialization.

The above is the detailed content of How Can I Efficiently Initialize Arrays in Go, Similar to C 's memset?. For more information, please follow other related articles on the PHP Chinese website!

Statement:
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn