當需要更新 PostgreSQL 資料庫中的多行時,傳統方法是執行單獨的 UPDATE 語句每行。然而,出於效能原因,通常需要執行單一 UPDATE 語句來一次更新多行。
PostgreSQL 中批次更新的一種有效方法是利用派生表。此技術涉及建立一個包含所需更新的臨時表,然後使用該表中的資料來更新目標表。
考慮以下場景,我們的目標是使用新的內容更新「table」表中的多行列「column_a」和「column_b」的值:
import ( "database/sql" _"github.com/jackc/pgx/v4/stdlib" // PostgreSQL driver ) func main() { db, err := sql.Open("pgx", "host=localhost port=5432 dbname=test user=postgres password=mysecretpassword") if err != nil { panic(err) } defer db.Close() // Prepare the derived table with updated values query := `UPDATE t SET column_a = v.column_a, column_b = v.column_b FROM (VALUES (1, 'FINISH', 1234), (2, 'UNFINISH', 3124) ) v(id, column_a, column_b) WHERE v.id = t.id;` _, err = db.Exec(query) if err != nil { panic(err) } // Optionally, you can verify the updated rows rows, err := db.Query("SELECT * FROM table WHERE id IN (1, 2)") if err != nil { panic(err) } defer rows.Close() for rows.Next() { var id int var columnA, columnB string if err := rows.Scan(&id, &columnA, &columnB); err != nil { panic(err) } fmt.Printf("ID: %d, Column A: %s, Column B: %s\n", id, columnA, columnB) } }
此方法可以靈活地在衍生表中新增或刪除行和列,而無需更改主查詢。與明確指定多個 UPDATE 語句相比,它還有助於防止意外錯誤。
以上是如何使用 Go 在 PostgreSQL 中有效執行大量更新?的詳細內容。更多資訊請關注PHP中文網其他相關文章!