Home >Backend Development >Golang >How Do I Convert an Integer to a Byte Array in Go?
Converting an Integer to a Byte Array
To convert an integer to a byte array in Go, you have several options depending on the desired representation.
Using the Encoding/Binary Package
If you want to convert a machine-friendly binary representation of the integer, the encoding/binary library is an efficient choice.
import "encoding/binary" func main() { int32Value := int32(31415926) bytes := make([]byte, 4) binary.LittleEndian.PutUint32(bytes, uint32(int32Value)) fmt.Println(bytes) // Output: [255 255 11 146] }
By specifying the byte order (LittleEndian or BigEndian), you can ensure consistent representation on different platforms.
Converting to an ASCII Representation
If you require an ASCII representation of the integer, you can use the strconv package to obtain the string value and then cast it to a byte array.
import "strconv" func main() { int32Value := int32(31415926) bytes := []byte(strconv.Itoa(int32Value)) fmt.Println(bytes) // Output: [51 50 49 52 53 54 55 56] }
This approach produces a byte array containing the ASCII character representation of the integer.
Performance Considerations
The choice of conversion method depends on your specific requirements and performance expectations. encoding/binary provides optimized encoding functions, while strconv.Itoa incurs some overhead in string creation.
The above is the detailed content of How Do I Convert an Integer to a Byte Array in Go?. For more information, please follow other related articles on the PHP Chinese website!