3

我有一个表,其中有一个存储一个非常大的数字的字段(math.big,比 uint64 大)。我将其存储为 DECIMAL 类型:

difficulty          NUMERIC     NOT NULL,

那么,如何使用library ( ) 从Go代码中插入此字段?PQgithub.com/lib/pq

此代码不起作用:

me@desk:~/src/github.com/myapp/misc$ cat insertbig.go
package main

import (
    "database/sql"
    _ "github.com/lib/pq"
    "os"
    "log"
    "math/big"
)
func main() {
    var err error
    var db *sql.DB
    std_out:=log.New(os.Stdout,"",0)

    conn_str:="user='testuser' dbname='testdb' password='testpasswd'";
    db,err=sql.Open("postgres",conn_str);
    if (err!=nil) {
        log.Fatal(err);
    }
    _,err=db.Exec("CREATE TABLE bigtable(difficulty NUMERIC)");

    difficulty:=big.NewInt(0);
    difficulty.SetString("1111111111111111111111111111111111111111111111111111111111111111111111",10);
    _,err=db.Exec("INSERT INTO bigtable(difficulty) VALUES(?)",difficulty);
    if (err!=nil) {
        log.Fatal(err);
    } else {
        std_out.Println("record was inserted");
    }
}

me@desk:~/src/github.com/myapp/misc$ 

它给了我这个错误:

2018/02/05 17:00:25 sql: converting argument $1 type: unsupported type big.Int, a struct
4

3 回答 3

4

首先,您应该在 PostgreSQL 中使用数字占位符 ( $1, $2, ...),因为这是它本机使用的。至于将 bignum 放入numeric数据库中的列,快速浏览文档和源代码表明您最好的选择是使用字符串(PostgreSQL 将其视为“未知”类型的值)并让 PostgreSQL 解析它并根据列的(已知)类型进行转换。

所以是这样的:

difficulty := "1111111111111111111111111111111111111111111111111111111111111111111111"
_, err = db.Exec("INSERT INTO bigtable (difficulty) VALUES ($1)", difficulty)

类似的方法适用于驱动程序本身不理解的任何其他 PostgreSQL 类型;总会有一个字符串表示,您可以使用它来实现它。


您还可以从以下type SQLBigInt big.Int位置实现driver.Valuer接口database/sql/driver

type SQLBigInt big.Int
func (i *SQLBigInt) Value() (driver.Value, error) {
    return (*big.Int)(i).String(), nil
}

// Or
type SQLBigInt struct {
    big.Int
}
func (i *SQLBigInt) Value() (driver.Value, error) {
    return i.String(), nil
}

然后可能sql.Scanner来自"database/sql"阅读,但这可能会变得丑陋并且可能不值得付出努力,因为无论如何你都会一直在包装和打开包装。

于 2018-02-06T01:15:43.403 回答
1

您可以实现估值器和扫描仪接口

//BigInt big.Int alias
   type BigInt struct {
      big.Int
   }

// Value implements the Valuer interface for BigInt
func (b *BigInt) Value() (driver.Value, error) {
   if b != nil {
      return b.String(), nil
   }
   return nil, nil
}

// Scan implements the Scanner interface for BigInt
func (b *BigInt) Scan(value interface{}) error {
    var i sql.NullString
    if err := i.Scan(value); err != nil {
        return err
    }
    if _, ok := b.SetString(i.String, 10); ok {
       return nil
    }
    return fmt.Errorf("Could not scan type %T into BigInt", value)
}
于 2020-03-20T14:33:18.410 回答
0

我有类似的问题,并试图构建这个包:

示例使用:

import (
    "github.com/d-fal/bigint"
)

    type TableWithBigint struct {
        Id        uint64
        Name      string
        Deposit   *bigint.Bigint
    }
于 2021-07-18T12:51:44.770 回答