postgresqlgolibpqpq

How to insert multiple rows into postgres SQL in a go


  1. Is it possible to insert multiple rows into Postgres database at once? Could someone please suggest if there is a way to insert a slice of slices into database. I have created a slice for each row and created a another slice(multiple rows) by appending all the row slices to it. how do I insert the slice(multiple rows) into db?

  2. When I create a row slice, I'm using row := []interface{}{} . Because I have fields which are strings and int in each row. Looks like I get an error when I'm inserting data and the error is unsupported type []interface {}, a slice of interface

Implementation:

rowdata := []interface{}{}
row := []interface{}{data.ScenarioUUID, data.Puid, data.Description, data.Status, data.CreatedBy, data.CreatedAt, data.UpdatedBy, data.UpdatedAt, data.ScopeStartsAt, data.ScopeEndsAt, Metric, MetricName, Channel, date, timeRangeValue}
rowdata = append(rowdata, row)

qry2 := `INSERT INTO sample (scenarioUuid,
            puId,
            description,
            status,
            createdBy,
            createdAt,
            updatedBy,
            updatedAt,
            scopeStartsAt,
            scopeEndsAt,
            metric,
            metric_name,
            channel,
            time,
            value) VALUES ($1, $2, $3,$4,$5,$6,$7,$8,$9,$10,$11,$12,$13,$14,$15)`

if _, err := db.Exec(qry2, rowdata); err != nil {
    panic(err)

Solution

  • You could do something like this:

    samples := // the slice of samples you want to insert
    
    query := `insert into samples (<the list of columns>) values `
    
    values := []interface{}{}
    for i, s := range samples {
        values = append(values, s.<field1>, s.<field2>, < ... >)
    
        numFields := 15 // the number of fields you are inserting
        n := i * numFields
    
        query += `(`
        for j := 0; j < numFields; j++ {
            query += `$`+strconv.Itoa(n+j+1) + `,`
        }
        query = query[:len(query)-1] + `),`
    }
    query = query[:len(query)-1] // remove the trailing comma
    
    db.Exec(query, values...)
    

    https://play.golang.org/p/YqNJKybpwWB