Go cross-compilation is a powerful feature that enables developers to build executables for various operating systems and architectures from a single development machine. This capability significantly simplifies the process of creating applications that can run on different platforms.
Cross-compilation allows you to compile your Go code for a target operating system and architecture that may differ from your development environment. This is particularly useful when you need to distribute your application across different platforms without access to each specific environment.
Go makes cross-compilation straightforward by using environment variables to specify the target platform. The two key variables are:
GOOS: Specifies the target operating systemGOARCH: Specifies the target architectureGOOS=windows GOARCH=amd64 go build -o myapp.exe main.goThis command compiles the main.go file for Windows 64-bit, producing an executable named myapp.exe.
GOOS=darwin GOARCH=amd64 go build -o myapp main.goThis command builds the application for macOS 64-bit.
| GOOS | GOARCH | Description | 
|---|---|---|
| linux | amd64 | Linux 64-bit | 
| windows | amd64 | Windows 64-bit | 
| darwin | amd64 | macOS 64-bit | 
| linux | arm | Linux ARM (e.g., Raspberry Pi) | 
When using Go Modules, cross-compilation becomes even more seamless. Modules ensure that your project uses the correct dependencies regardless of the target platform.
For projects requiring builds for multiple platforms, consider creating a build script or using a tool like gox to automate the process.
#!/bin/bash
PLATFORMS="darwin/amd64 linux/amd64 windows/amd64"
for platform in $PLATFORMS; do
    GOOS=${platform%/*}
    GOARCH=${platform#*/}
    output_name=myapp-$GOOS-$GOARCH
    if [ $GOOS = "windows" ]; then
        output_name+='.exe'
    fi
    env GOOS=$GOOS GOARCH=$GOARCH go build -o $output_name main.go
    if [ $? -ne 0 ]; then
        echo 'An error has occurred! Aborting the script execution...'
        exit 1
    fi
doneThis script builds your application for macOS, Linux, and Windows, all with 64-bit architecture.
Go's cross-compilation feature is a powerful tool in a developer's arsenal. It simplifies the process of creating multi-platform applications, enhancing Go's reputation for ease of use and efficiency in software development.
By mastering cross-compilation, you can significantly streamline your development workflow and ensure your Go applications reach a wider audience across different operating systems and architectures.