Go 結構體與方法
指標接收器方法詳解
相對於值接收器,Go 語言也支援指標接收器方法,這對於理解 Go 的物件導向風格至關重要。
指標接收器的語法與機制
點擊展開程式碼
1 2 3 4
| func (r *Room) Clean() { r.LastCleaned = time.Now() r.Status = "清潔完成" }
|
在這個方法中:
- 接收器宣告:
(r *Room)
表示此方法使用 Room
類型的指標
- 參數傳遞: 傳遞的是原始結構體的記憶體位址,而非複製
- 調用方式:
room.Clean()
會自動轉換為 (&room).Clean()
指標接收器的特性
- 可以修改原始值:
點擊展開程式碼
1 2 3 4 5 6 7
| func (r *Room) SetAvailable(available bool) { r.Available = available }
room := Room{Available: false} room.SetAvailable(true) fmt.Println(room.Available)
|
方法接收的是引用:
不會複製整個結構體,無論結構體多大,只傳遞一個指標
支援方法鏈式調用:
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12
| func (r *Room) SetPrice(price float64) *Room { r.Price = price return r }
func (r *Room) SetType(roomType string) *Room { r.Type = roomType return r }
room.SetPrice(150.0).SetType("豪華套房")
|
- 零值接收器安全性:
需注意空指標調用的問題
點擊展開程式碼
1 2
| var room *Room room.Clean()
|
指標接收器的最佳實踐
用於大型結構體:
避免複製大型資料結構的成本
用於修改操作:
點擊展開程式碼
1 2
| func (r *Room) Clean() { ... } func (r *Room) Book(guestName string) { ... }
|
保持一致性:
如果類型有任何一個方法使用指標接收器,考慮全部使用指標接收器
實現介面時:
注意 *T
類型實現了介面不代表 T
類型也實現了該介面
線程安全考量:
多線程環境中使用指標接收器需要考慮同步問題
指標接收器使用案例
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32
| func (r *Room) Clean() { r.LastCleaned = time.Now() r.Status = "已清潔" r.Available = true }
func (r *Room) Book(guestName string, startDate, endDate time.Time) error { if !r.Available { return fmt.Errorf("房間 %s 目前不可預訂", r.Number) } r.GuestName = guestName r.StartDate = startDate r.EndDate = endDate r.Available = false r.Status = "已預訂" return nil }
func (r *Room) SetCapacity(capacity int) *Room { r.Capacity = capacity return r }
func (r *Room) SetAmenities(amenities []string) *Room { r.Amenities = amenities return r }
|
值接收器與指標接收器的選擇
特性 |
值接收器 |
指標接收器 |
修改原始值 |
❌ |
✅ |
避免大結構體複製 |
❌ |
✅ |
方法鏈 |
❌ |
✅ |
並發安全性 |
✅ (副本隔離) |
⚠️ (需同步) |
空值調用安全 |
✅ |
⚠️ |
結構體嵌入與組合
Go 不支援傳統的繼承,但提供結構體嵌入作為組合的強大機制。
基本嵌入
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12
| type Person struct { Name string Age int Address string }
type Employee struct { Person EmployeeID string Position string Salary float64 }
|
在此例中,Employee
結構體嵌入了 Person
結構體。
欄位和方法提升
- 欄位提升:
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| employee := Employee{ Person: Person{ Name: "張小明", Age: 30, Address: "台北市信義區", }, EmployeeID: "E001", Position: "軟體工程師", Salary: 85000, }
fmt.Println(employee.Name) fmt.Println(employee.Age)
|
- 方法提升:
點擊展開程式碼
1 2 3 4 5 6
| func (p Person) Greet() string { return fmt.Sprintf("你好,我是 %s", p.Name) }
fmt.Println(employee.Greet())
|
嵌入多個結構體
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13
| type ContractInfo struct { ContractID string StartDate time.Time EndDate time.Time ContractType string }
type Employee struct { Person ContractInfo EmployeeID string Position string }
|
名稱衝突的處理
當嵌入的結構體包含同名欄位或方法時:
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| type A struct { X int }
type B struct { X int }
type C struct { A B }
func main() { c := C{} c.A.X = 1 c.B.X = 2 }
|
嵌入介面
Go 允許在結構體中嵌入介面,用於實現特定設計模式:
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12
| type Reader interface { Read(p []byte) (n int, err error) }
type Writer interface { Write(p []byte) (n int, err error) }
type ReadWriter struct { Reader Writer }
|
嵌入與組合的比較
嵌入:
顯式組合:
點擊展開程式碼
1 2 3 4 5 6 7
| type Employee struct { person Person EmployeeID string }
fmt.Println(employee.person.Name)
|
實作:預約資料模型
讓我們實作一個完整的預約系統資料模型,整合前面所學的概念。
定義模型
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127
| package hotel
import ( "errors" "fmt" "time" )
type Customer struct { ID int `json:"id" db:"id"` FirstName string `json:"first_name" db:"first_name"` LastName string `json:"last_name" db:"last_name"` Email string `json:"email" db:"email"` Phone string `json:"phone" db:"phone"` }
func (c Customer) FullName() string { return fmt.Sprintf("%s %s", c.FirstName, c.LastName) }
type Reservation struct { ID int `json:"id" db:"id"` RoomID int `json:"room_id" db:"room_id"` Customer CheckInDate time.Time `json:"check_in_date" db:"check_in_date"` CheckOutDate time.Time `json:"check_out_date" db:"check_out_date"` GuestCount int `json:"guest_count" db:"guest_count"` TotalPrice float64 `json:"total_price" db:"total_price"` PaymentStatus string `json:"payment_status" db:"payment_status"` CreatedAt time.Time `json:"created_at" db:"created_at"` Notes string `json:"notes,omitempty" db:"notes"` }
func (r Reservation) NightsCount() int { return int(r.CheckOutDate.Sub(r.CheckInDate).Hours() / 24) }
func (r *Reservation) Validate() error { if r.RoomID <= 0 { return errors.New("無效的房間ID") } if r.CheckInDate.IsZero() || r.CheckOutDate.IsZero() { return errors.New("入住和退房日期不能為空") } if r.CheckOutDate.Before(r.CheckInDate) { return errors.New("退房日期不能早於入住日期") } if r.GuestCount <= 0 { return errors.New("客人數量必須大於零") } if r.Email == "" { return errors.New("電子郵件不能為空") } return nil }
func (r *Reservation) CalculatePrice(roomPrice float64) { nights := r.NightsCount() r.TotalPrice = roomPrice * float64(nights) }
func (r *Reservation) Confirm() *Reservation { r.PaymentStatus = "已確認" return r }
func (r *Reservation) Cancel() *Reservation { r.PaymentStatus = "已取消" return r }
func (r *Reservation) UpdateCustomerInfo(firstName, lastName, email, phone string) *Reservation { r.FirstName = firstName r.LastName = lastName r.Email = email r.Phone = phone return r }
func (r Reservation) Status() string { now := time.Now() if r.PaymentStatus == "已取消" { return "已取消" } if now.Before(r.CheckInDate) { return "即將到來" } if now.After(r.CheckOutDate) { return "已完成" } return "入住中" }
func (r Reservation) Summary() string { return fmt.Sprintf( "預約 #%d: %s, %d 位客人, 從 %s 到 %s (%d 晚), 總價: $%.2f, 狀態: %s", r.ID, r.FullName(), r.GuestCount, r.CheckInDate.Format("2006-01-02"), r.CheckOutDate.Format("2006-01-02"), r.NightsCount(), r.TotalPrice, r.Status(), ) }
|
使用範例
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66
| package main
import ( "fmt" "time" "myapp/hotel" )
func main() { room := hotel.Room{ ID: 1, Number: "202", Type: "豪華雙人房", Price: 3800.0, Capacity: 2, } customer := hotel.Customer{ ID: 1, FirstName: "小明", LastName: "王", Email: "wang.xiaoming@example.com", Phone: "0912-345-678", } checkIn, _ := time.Parse("2006-01-02", "2025-03-15") checkOut, _ := time.Parse("2006-01-02", "2025-03-17") reservation := hotel.Reservation{ ID: 1, RoomID: room.ID, Customer: customer, CheckInDate: checkIn, CheckOutDate: checkOut, GuestCount: 2, PaymentStatus: "待確認", CreatedAt: time.Now(), } reservation.CalculatePrice(room.Price) reservation.Confirm() fmt.Println(reservation.Summary()) fmt.Println(room.Info()) fmt.Printf("預約總共 %d 晚\n", reservation.NightsCount()) if err := reservation.Validate(); err != nil { fmt.Printf("預約驗證失敗: %s\n", err) } else { fmt.Println("預約資料有效") } }
|
實際應用場景
- API 整合:
點擊展開程式碼
1 2 3 4 5 6 7
| jsonData, _ := json.Marshal(reservation)
resp, _ := http.Post("https://api.hotel.com/reservations", "application/json", bytes.NewBuffer(jsonData))
|
- 資料庫整合:
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11
| _, err := db.NamedExec(` INSERT INTO reservations ( room_id, first_name, last_name, email, phone, check_in_date, check_out_date, guest_count, total_price, payment_status, created_at, notes ) VALUES ( :room_id, :first_name, :last_name, :email, :phone, :check_in_date, :check_out_date, :guest_count, :total_price, :payment_status, :created_at, :notes )`, reservation)
|
- 預約業務邏輯:
點擊展開程式碼
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41
| func (s *ReservationService) MakeReservation(roomID int, customerInfo Customer, checkIn, checkOut time.Time, guestCount int) (*Reservation, error) { room, err := s.roomRepo.GetByID(roomID) if err != nil { return nil, err } if !s.IsRoomAvailable(roomID, checkIn, checkOut) { return nil, errors.New("所選日期房間已被預訂") } reservation := &Reservation{ RoomID: roomID, Customer: customerInfo, CheckInDate: checkIn, CheckOutDate: checkOut, GuestCount: guestCount, PaymentStatus: "待確認", CreatedAt: time.Now(), } reservation.CalculatePrice(room.Price) if err := reservation.Validate(); err != nil { return nil, err } err = s.reservationRepo.Create(reservation) if err != nil { return nil, err } return reservation, nil }
|
總結
在本文中,我們深入探討了 Go 語言的結構體和方法:
值接收器與指標接收器:
- 值接收器適合不修改狀態的操作
- 指標接收器適合需要修改結構體的方法和大型結構體
結構體嵌入:
- Go 透過嵌入實現組合而非繼承
- 欄位和方法的提升簡化了訪問
- 嵌入多個結構體要注意名稱衝突
實際應用:
- 透過預約系統實現展示了各種概念的整合
- 展示了如何選擇適當的接收器類型
- 實現業務邏輯與資料驗證
透過靈活運用這些概念,我們可以在 Go 中實現清晰、高效且易於維護的物件導向設計。
參考資訊
- A Tour of Go - 方法和指標接收器
- Effective Go - 嵌入
- Go語言設計與實現 - 郝林
- Go學習筆記 - 雨痕
- Go語言高級編程 - 柴樹傑, 曹春暉