Go:Java/Python開発者のための基礎知識 2026年版
JavaやPythonの経験を活かしてGoを素早く習得。ゴルーチン、チャネル、インターフェース、スムーズな移行のための基本パターンを解説。

Go(Golang)は、マイクロサービス、CLIツール、分散システムにおける第一選択言語としての地位を確立しています。2009年にGoogleによって作られたGoは、Pythonのシンプルさとc言語レベルのパフォーマンスを兼ね備えています。JavaやPythonから移行する開発者にとって、Goへの移行は核心的な概念を理解すれば驚くほどスムーズです。
GoはDocker、Kubernetes、Terraform、そして数え切れないクラウドインフラの基盤となっています。高速なコンパイル、ネイティブな並行処理サポート、単一バイナリでのデプロイにより、モダンなバックエンド開発に最適です。
Goのインストールとセットアップ
Goのインストールはシンプルで、すべてのプラットフォームで一貫しています。goツールがコンパイル、依存関係管理、テストを処理します。
# install.sh
# Installation on macOS with Homebrew
brew install go
# Installation on Linux (Ubuntu/Debian)
sudo apt update && sudo apt install golang-go
# Verify installation
go version
# go version go1.22.0 linux/amd64Goプロジェクトの構造は厳格ですがシンプルな規約に従います。go.modファイルがモジュールとその依存関係を定義します。
# project-setup.sh
# Create a new project
mkdir my-project && cd my-project
go mod init github.com/user/my-project
# Generated structure:
# my-project/
# ├── go.mod # Module manifest
# └── main.go # Entry point
# Essential commands
go build # Compile the project
go run main.go # Compile and execute
go test ./... # Run all tests
go fmt ./... # Format code automatically最初のGoプログラム
Goの基本構文を示すシンプルなプログラムです。JavaやPythonとの比較が違いの理解に役立ちます。
package main
import "fmt"
// Program entry point
func main() {
// Declaration with type inference
message := "Hello, Go!"
fmt.Println(message)
// Explicit declaration
var count int = 42
fmt.Printf("Count: %d\n", count)
}すぐに気づく特徴:セミコロンなし、条件文の括弧なし、:=による型推論。Goは可読性を犠牲にすることなく簡潔さを優先しています。
変数と基本型
Goは静的型付けですが、優れた型推論を提供します。基本型がほとんどのユースケースをカバーします。
package main
import "fmt"
func main() {
// Short declaration (inside functions only)
name := "Alice" // string
age := 30 // int
height := 1.75 // float64
active := true // bool
// Explicit declaration
var score int = 100
var rate float64 = 3.14
// Multiple declaration
var (
firstName string = "Bob"
lastName string = "Smith"
points int = 0
)
// Zero values (default values)
var count int // 0
var text string // "" (empty string)
var flag bool // false
var ptr *int // nil
fmt.Println(name, age, height, active)
}JavaやPythonと異なり、Goは変数を自動的に「ゼロ値」で初期化します:数値は0、文字列は""、boolはfalse、ポインタとスライスはnilです。
関数と複数戻り値
Goでは複数の値を返すことができます。これはエラーハンドリングで広く使われる機能です。
package main
import (
"errors"
"fmt"
)
// Simple function with typed parameters
func add(a, b int) int {
return a + b
}
// Multiple returns (idiomatic pattern for errors)
func divide(a, b float64) (float64, error) {
if b == 0 {
return 0, errors.New("division by zero")
}
return a / b, nil
}
// Named returns
func getUser(id int) (name string, age int, err error) {
if id <= 0 {
err = errors.New("invalid ID")
return
}
name = "Alice"
age = 30
return
}
// Variadic function
func sum(numbers ...int) int {
total := 0
for _, n := range numbers {
total += n
}
return total
}
func main() {
// Simple call
result := add(5, 3)
fmt.Println("5 + 3 =", result)
// Explicit error handling
quotient, err := divide(10, 3)
if err != nil {
fmt.Println("Error:", err)
return
}
fmt.Printf("10 / 3 = %.2f\n", quotient)
// Ignore a returned value with _
name, _, _ := getUser(1)
fmt.Println("User:", name)
// Variadic call
total := sum(1, 2, 3, 4, 5)
fmt.Println("Sum:", total)
}構造体とメソッド
構造体はGoにおけるカスタム型の基本構成要素です。メソッドはレシーバーを通じて型に紐付けられます。
package main
import "fmt"
// Struct definition
type User struct {
ID int
Username string
Email string
Active bool
}
// Constructor (convention: NewTypeName)
func NewUser(id int, username, email string) *User {
return &User{
ID: id,
Username: username,
Email: email,
Active: true,
}
}
// Method with value receiver (copy)
func (u User) FullInfo() string {
status := "inactive"
if u.Active {
status = "active"
}
return fmt.Sprintf("%s <%s> (%s)", u.Username, u.Email, status)
}
// Method with pointer receiver (modification possible)
func (u *User) Deactivate() {
u.Active = false
}
// Method with pointer receiver for modification
func (u *User) UpdateEmail(newEmail string) {
u.Email = newEmail
}
func main() {
// Create with constructor
user := NewUser(1, "alice", "alice@example.com")
fmt.Println(user.FullInfo())
// Modify via method
user.Deactivate()
fmt.Println(user.FullInfo())
// Direct creation
user2 := User{
ID: 2,
Username: "bob",
Email: "bob@example.com",
}
fmt.Println(user2.FullInfo())
}メソッドが状態を変更する場合や構造体が大きい場合は、ポインタレシーバー(*User)を使用します。軽量な構造体の読み取り専用メソッドには値レシーバー(User)を使用します。
インターフェース:暗黙的ポリモーフィズム
Goのインターフェースは暗黙的に実装されます。型がインターフェースのすべてのメソッドを実装していれば、明示的な宣言なしにそのインターフェースを満たします。
package main
import (
"fmt"
"math"
)
// Interface definition
type Shape interface {
Area() float64
Perimeter() float64
}
// Rectangle implements Shape implicitly
type Rectangle struct {
Width, Height float64
}
func (r Rectangle) Area() float64 {
return r.Width * r.Height
}
func (r Rectangle) Perimeter() float64 {
return 2 * (r.Width + r.Height)
}
// Circle also implements Shape
type Circle struct {
Radius float64
}
func (c Circle) Area() float64 {
return math.Pi * c.Radius * c.Radius
}
func (c Circle) Perimeter() float64 {
return 2 * math.Pi * c.Radius
}
// Function accepting the interface
func PrintShapeInfo(s Shape) {
fmt.Printf("Area: %.2f, Perimeter: %.2f\n", s.Area(), s.Perimeter())
}
func main() {
rect := Rectangle{Width: 10, Height: 5}
circle := Circle{Radius: 7}
// Polymorphism via interface
PrintShapeInfo(rect)
PrintShapeInfo(circle)
// Slice of interfaces
shapes := []Shape{rect, circle}
for _, shape := range shapes {
PrintShapeInfo(shape)
}
}このアプローチは、implementsが必須のJavaとは根本的に異なります。Goでは適合性は構造的であり、名目的ではありません。
Goの面接対策はできていますか?
インタラクティブなシミュレーター、flashcards、技術テストで練習しましょう。
スライスとマップ:動的コレクション
スライスは配列の動的ビューであり、マップはネイティブなハッシュテーブルです。
package main
import "fmt"
func main() {
// Slice: dynamic array
numbers := []int{1, 2, 3, 4, 5}
// Append elements
numbers = append(numbers, 6, 7)
// Slicing (similar to Python)
subset := numbers[1:4] // [2, 3, 4]
fmt.Println("Subset:", subset)
// Create slice with make
scores := make([]int, 0, 10) // len=0, cap=10
scores = append(scores, 100, 95, 88)
// Iteration with range
for index, value := range numbers {
fmt.Printf("numbers[%d] = %d\n", index, value)
}
// Map: hash table
users := map[string]int{
"alice": 30,
"bob": 25,
}
// Add/Update
users["charlie"] = 35
// Check existence
age, exists := users["alice"]
if exists {
fmt.Println("Alice's age:", age)
}
// Delete
delete(users, "bob")
// Map iteration
for name, age := range users {
fmt.Printf("%s is %d years old\n", name, age)
}
}慣用的なエラーハンドリング
Goには例外がありません。エラーは明示的に返される値であり、厳密なハンドリングを強制します。
package main
import (
"errors"
"fmt"
"os"
)
// Sentinel error (for comparison)
var ErrNotFound = errors.New("resource not found")
var ErrInvalidInput = errors.New("invalid input")
// Custom error with context
type ValidationError struct {
Field string
Message string
}
func (e *ValidationError) Error() string {
return fmt.Sprintf("validation failed on %s: %s", e.Field, e.Message)
}
// Function returning different error types
func GetUser(id int) (string, error) {
if id <= 0 {
return "", &ValidationError{
Field: "id",
Message: "must be positive",
}
}
if id > 1000 {
return "", ErrNotFound
}
return "Alice", nil
}
// Error wrapping (Go 1.13+)
func ReadConfig(path string) ([]byte, error) {
data, err := os.ReadFile(path)
if err != nil {
return nil, fmt.Errorf("reading config %s: %w", path, err)
}
return data, nil
}
func main() {
// Basic pattern
user, err := GetUser(-1)
if err != nil {
fmt.Println("Error:", err)
// Type assertion for custom error
var valErr *ValidationError
if errors.As(err, &valErr) {
fmt.Printf("Field: %s\n", valErr.Field)
}
// Comparison with sentinel error
if errors.Is(err, ErrNotFound) {
fmt.Println("User not found")
}
} else {
fmt.Println("User:", user)
}
}Go 1.13以降、errors.Is()はセンチネルエラーとの比較に、errors.As()はラップされたエラーチェーンから特定のエラー型を抽出するために使用されます。
ゴルーチン:軽量な並行処理
ゴルーチンはGoランタイムが管理する軽量スレッドです。ゴルーチンの起動にはわずか数KBのメモリしか必要としません。
package main
import (
"fmt"
"sync"
"time"
)
func worker(id int, wg *sync.WaitGroup) {
defer wg.Done() // Decrement counter when done
fmt.Printf("Worker %d starting\n", id)
time.Sleep(time.Second)
fmt.Printf("Worker %d done\n", id)
}
func main() {
var wg sync.WaitGroup
// Launch 5 goroutines
for i := 1; i <= 5; i++ {
wg.Add(1)
go worker(i, &wg) // 'go' prefix launches the goroutine
}
// Wait for all goroutines to complete
wg.Wait()
fmt.Println("All workers completed")
}sync.WaitGroupは複数のゴルーチンの完了を待つために使用します。これがGoにおける並列処理の基本パターンです。
チャネル:ゴルーチン間の通信
チャネルはゴルーチン間の通信のための型付きパイプです。安全な同期とデータ交換を実現します。
package main
import (
"fmt"
"time"
)
func producer(ch chan<- int) {
for i := 1; i <= 5; i++ {
fmt.Println("Producing:", i)
ch <- i // Send on channel
time.Sleep(100 * time.Millisecond)
}
close(ch) // Close channel when done
}
func consumer(ch <-chan int, done chan<- bool) {
for value := range ch { // Iterate until closed
fmt.Println("Consuming:", value)
}
done <- true
}
func main() {
ch := make(chan int) // Unbuffered channel
done := make(chan bool)
go producer(ch)
go consumer(ch, done)
<-done // Wait for consumer to finish
fmt.Println("All done")
}バッファ付きチャネルとselect
package main
import (
"fmt"
"time"
)
func main() {
// Buffered channel (capacity 3)
buffered := make(chan int, 3)
buffered <- 1
buffered <- 2
buffered <- 3
// buffered <- 4 // Would block since buffer is full
fmt.Println(<-buffered) // 1
// Select: channel multiplexing
ch1 := make(chan string)
ch2 := make(chan string)
go func() {
time.Sleep(100 * time.Millisecond)
ch1 <- "from ch1"
}()
go func() {
time.Sleep(200 * time.Millisecond)
ch2 <- "from ch2"
}()
// Wait for first available message
for i := 0; i < 2; i++ {
select {
case msg1 := <-ch1:
fmt.Println("Received:", msg1)
case msg2 := <-ch2:
fmt.Println("Received:", msg2)
case <-time.After(500 * time.Millisecond):
fmt.Println("Timeout!")
}
}
}GoはCSP(Communicating Sequential Processes)モデルに従います:「メモリを共有して通信するのではなく、通信によってメモリを共有せよ」。チャネルはレースコンディションを防止します。
Goのテスト
Goにはミニマリストながら効果的なテストフレームワークが組み込まれています。テストファイルは_test.goで終わります。
package calculator
func Add(a, b int) int {
return a + b
}
func Divide(a, b int) (int, error) {
if b == 0 {
return 0, errors.New("division by zero")
}
return a / b, nil
}package calculator
import (
"testing"
)
// Basic test
func TestAdd(t *testing.T) {
result := Add(2, 3)
expected := 5
if result != expected {
t.Errorf("Add(2, 3) = %d; want %d", result, expected)
}
}
// Table-driven tests (recommended pattern)
func TestAddTableDriven(t *testing.T) {
tests := []struct {
name string
a, b int
expected int
}{
{"positive numbers", 2, 3, 5},
{"negative numbers", -2, -3, -5},
{"zero", 0, 0, 0},
{"mixed", -5, 10, 5},
}
for _, tt := range tests {
t.Run(tt.name, func(t *testing.T) {
result := Add(tt.a, tt.b)
if result != tt.expected {
t.Errorf("Add(%d, %d) = %d; want %d",
tt.a, tt.b, result, tt.expected)
}
})
}
}
// Error test
func TestDivideByZero(t *testing.T) {
_, err := Divide(10, 0)
if err == nil {
t.Error("Expected error for division by zero")
}
}
// Benchmark
func BenchmarkAdd(b *testing.B) {
for i := 0; i < b.N; i++ {
Add(100, 200)
}
}テストはgo test ./...で、ベンチマークはgo test -bench=.で実行します。
HTTP:ミニマリストWebサーバー
Goは標準ライブラリを使って高性能なHTTPサーバーを構築することに優れています。
package main
import (
"encoding/json"
"log"
"net/http"
)
type User struct {
ID int `json:"id"`
Name string `json:"name"`
}
func main() {
// Simple route
http.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
w.Write([]byte("Hello, Go!"))
})
// JSON route
http.HandleFunc("/api/users", func(w http.ResponseWriter, r *http.Request) {
users := []User{
{ID: 1, Name: "Alice"},
{ID: 2, Name: "Bob"},
}
w.Header().Set("Content-Type", "application/json")
json.NewEncoder(w).Encode(users)
})
// Route with method
http.HandleFunc("/api/user", func(w http.ResponseWriter, r *http.Request) {
switch r.Method {
case "GET":
w.Write([]byte("Get user"))
case "POST":
w.Write([]byte("Create user"))
default:
http.Error(w, "Method not allowed", http.StatusMethodNotAllowed)
}
})
log.Println("Server starting on :8080")
log.Fatal(http.ListenAndServe(":8080", nil))
}このサーバーはゴルーチンのおかげで数千の同時接続を処理できます。各リクエストは自動的に専用のゴルーチンで処理されます。
まとめ
Goはバックエンド開発に実用的なアプローチを提供します:シンプルな構文、高速なコンパイル、ネイティブな並行処理、優れたツール群。JavaやPythonの開発者にとって、移行にはいくつかの異なる慣習の受け入れが必要です(明示的なエラーハンドリング、Go 1.18以前は制限されたジェネリクス)が、パフォーマンスと保守性の利点は即座に実感できます。
入門チェックリスト
- ✅ 公式サイトまたはパッケージマネージャーからGoをインストール
- ✅
go build、go run、go test、go fmtコマンドをマスター - ✅ スライスと配列の違いを理解
- ✅ エラーハンドリングに
if err != nilパターンを採用 - ✅ 並行処理にゴルーチンとチャネルを活用
- ✅
testingパッケージでテーブル駆動テストを記述
今すぐ練習を始めましょう!
面接シミュレーターと技術テストで知識をテストしましょう。
Goのエコシステムは成熟しており、Web開発向けのGin、Echo、Fiberなどの人気フレームワークや、CLI向けのCobraなどのツールが充実しています。これらの堅固な基盤があれば、ジェネリクス(Go 1.18以降)、contextパッケージ、並行処理パターンなどの高度なトピックの探求が容易になります。
タグ
共有
関連記事

Go技術面接:Goroutine、Channel、並行処理パターン完全ガイド
Go技術面接で頻出のgoroutine、channel、並行処理に関する質問を網羅。本番レベルのコード例と各回答の背景にある設計思想を2026年の面接対策として解説します。

Node.jsバックエンド面接質問:完全ガイド2026
Node.jsバックエンド面接で最も頻出の25問。Event Loop、async/await、Streams、クラスタリング、パフォーマンスを詳細な回答で解説します。

Spring Boot 3.4:新機能を徹底解説
Spring Boot 3.4はネイティブ構造化ロギング、拡張されたバーチャルスレッド、デフォルトのグレースフルシャットダウン、MockMvcTesterを導入。新機能の完全ガイド。