PostgreSQL과 함께 Go lang을 데이터베이스로 활용하는 경우 "github.com/lib/pq " 드라이버는 데이터베이스 연결을 활성화합니다. 그러나 중첩된 JSON 필드가 있는 복잡한 구조체의 데이터를 데이터베이스에 수동으로 삽입하는 것은 필드와 값의 수가 많기 때문에 지루할 수 있습니다.
다행히도 github. com/jmoiron/sqlx 라이브러리는 NamedExec 기능을 갖춘 솔루션을 제공합니다. 이 함수를 사용하면 주석이 달린 필드 이름(db 태그 사용)이 있는 구조체를 명명된 매개변수로 전달하여 삽입 프로세스를 단순화할 수 있습니다.
다음 구조체를 고려하세요.
<code class="go">type ApplyLeave1 struct { LeaveId int `db:"leaveid"` EmpId string `db:"empid"` SupervisorEmpId string `db:"supervisorid"` }</code>
이 구조체를 데이터베이스 테이블에 삽입하려면 다음 코드를 사용할 수 있습니다.
<code class="go">import ( _ "github.com/lib/pq" "github.com/jmoiron/sqlx" "log" ) // Define the database connection. db, err := sqlx.Connect("postgres", "user=foo dbname=bar sslmode=disable") if err != nil { log.Fatalln(err) } // Prepare the SQL query with named parameters. query := `INSERT INTO TABLENAME(leaveid, empid, supervisorid) VALUES(:leaveid, :empid, :supervisorid)` // Create an instance of the struct to be inserted. var leave1 ApplyLeave1 // Execute the query with the named parameters. _, err = db.NamedExec(query, leave1) if err != nil { log.Fatalln(err) }</code>
이 접근 방식을 사용하면 삽입 프로세스가 크게 단순화되어 각 필드와 값을 수동으로 지정할 필요가 없습니다.
sqlx 라이브러리는 JSON 배열 삽입을 직접 지원하지 않지만 PostgreSQL의 jsonb 데이터 유형을 사용하여 JSON 데이터를 저장할 수 있습니다. JSON 배열을 jsonb 열에 삽입하려면 먼저 이를 문자열로 변환한 다음 sqlx 쿼리 빌더를 사용하여 삽입할 수 있습니다.
예를 들어 JSON 배열 필드가 있는 다음 구조체가 제공됩니다.
<code class="go">type ApplyLeave1 struct { LeaveId int `db:"leaveid"` EmpId string `db:"empid"` SupervisorEmpId string `db:"supervisorid"` Certificates []CertificateInfo `db:"certificates"` }</code>
다음 코드를 사용하여 PostgreSQL 데이터베이스에 삽입할 수 있습니다.
<code class="go">// Convert the JSON array to a string. certificatesJSON, err := json.Marshal(leave1.Certificates) if err != nil { log.Fatalln(err) } // Prepare the SQL query with named parameters. query := `INSERT INTO TABLENAME(leaveid, empid, supervisorid, certificates) VALUES(:leaveid, :empid, :supervisorid, :certificates)` // Create an instance of the struct to be inserted. var leave1 ApplyLeave1 // Execute the query with the named parameters. _, err = db.NamedExec(query, map[string]interface{}{ "leaveid": leave1.LeaveId, "empid": leave1.EmpId, "supervisorid": leave1.SupervisorEmpId, "certificates": string(certificatesJSON), }) if err != nil { log.Fatalln(err) }</code>
이 접근 방식을 사용하면 편리하고 효율적인 방법을 사용하여 JSON 배열이 포함된 복잡한 구조체를 PostgreSQL 데이터베이스에 삽입할 수 있습니다.
위 내용은 sqlx를 사용하여 중첩된 JSON 필드가 있는 Go 구조체를 PostgreSQL 데이터베이스에 삽입하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!