Documentation
¶
Overview ¶
Package edgedb is the official Go EdgeDB driver. https://edgedb.com
Typical usage looks like this:
import (
"context"
"log"
"github.com/edgedb/edgedb-go"
)
opts := edgedb.Options{
MinConns: 1,
MaxConns: 4,
}
func main() {
ctx := context.Background()
pool, err := edgedb.ConnectDSN(ctx, "my_instance", opts)
if err != nil {
log.Fatal(err)
}
defer pool.Close()
var (
age int64 = 21
users []struct{
ID edgedb.UUID `edgedb:"id"`
Name string `edgedb:"name"`
}
)
query := "SELECT User{name} WHERE .age = <int64>$0"
err = pool.Query(ctx, query, &users, age)
...
}
You can also connect to a database using a DSN:
url := "edgedb://edgedb@localhost/edgedb" pool, err := edgedb.ConnectDSN(ctx, url, opts)
Or you can use Option fields.
opts := edgedb.Options{
Database: "edgedb",
User: "edgedb",
MinConns: 1,
MaxConns: 4,
}
pool, err := edgedb.Connect(ctx, opts)
Pooling ¶
Most use cases will benefit from the concurrency safe pool implementation returned from Connect() and ConnectDSN(). Pool.Acquire(), ConnectOne() and ConnectOneDSN() will give you access to a single connection.
Errors ¶
edgedb never returns underlying errors directly. If you are checking for things like context expiration use errors.Is() or errors.As().
err := pool.Query(...)
if errors.Is(err, context.Canceled) { ... }
Most errors returned by the edgedb package will satisfy the edgedb.Error interface which has methods for introspecting.
err := pool.Query(...)
var edbErr edgedb.Error
if errors.As(err, &edbErr) && edbErr.Category(edgedb.NoDataError){
...
}
Datatypes ¶
The following list shows the marshal/unmarshal mapping between EdgeDB types and go types:
EdgeDB Go --------- --------- Set []anytype array<anytype> []anytype tuple struct named tuple struct Object struct bool bool bytes []byte str string anyenum string datetime time.Time cal::local_datetime edgedb.LocalDateTime cal::local_date edgedb.LocalDate cal::local_time edgedb.LocalTime duration time.Duration float32 float32 float64 float64 int16 int16 int32 int32 int64 int64 uuid edgedb.UUID json []byte bigint *big.Int decimal user defined (see Custom Codecs)
Custom Codecs ¶
User defined marshaler/unmarshalers can be defined for any scalar EdgeDB type except arrays. The marshaler interfaces are documented in the internal/codecs package.
Example ¶
// This source file is part of the EdgeDB open source project.
//
// Copyright 2020-present EdgeDB Inc. and the EdgeDB authors.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package main
import (
"context"
"fmt"
"log"
"time"
"github.com/edgedb/edgedb-go"
)
type User struct {
ID edgedb.UUID `edgedb:"id"`
Name string `edgedb:"name"`
DOB time.Time `edgedb:"dob"`
}
func main() {
opts := edgedb.Options{
MinConns: 1,
MaxConns: 4,
}
ctx := context.Background()
db, err := edgedb.ConnectDSN(ctx, "edgedb://edgedb@localhost/test", opts)
if err != nil {
log.Fatal(err)
}
defer db.Close()
// create a user object type.
err = db.Execute(ctx, `
CREATE TYPE User {
CREATE REQUIRED PROPERTY name -> str;
CREATE PROPERTY dob -> datetime;
}
`)
if err != nil {
log.Fatal(err)
}
// Insert a new user.
var inserted struct{ id edgedb.UUID }
err = db.QueryOne(ctx, `
INSERT User {
name := <str>$1,
dob := <datetime>$2
}
`, inserted, "Bob", time.Date(1984, 3, 1, 0, 0, 0, 0, time.UTC))
if err != nil {
log.Fatal(err)
}
// Select users.
var users []User
args := map[string]interface{}{"name": "Bob"}
query := "SELECT User {name, dob} FILTER .name = <str>$name"
err = db.Query(ctx, query, &users, args)
if err != nil {
log.Fatal(err)
}
fmt.Println(users)
}
Index ¶
- Constants
- Variables
- type Action
- type Conn
- func (c *Conn) Close() error
- func (b Conn) Execute(ctx context.Context, cmd string) error
- func (b Conn) Query(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (b Conn) QueryJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (b Conn) QueryOne(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (b Conn) QueryOneJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (c *Conn) RawTx(ctx context.Context, action Action) error
- func (c *Conn) RetryingTx(ctx context.Context, action Action) error
- func (c Conn) WithRetryOptions(opts RetryOptions) *Conn
- func (c Conn) WithTxOptions(opts TxOptions) *Conn
- type Duration
- type Error
- type ErrorCategory
- type ErrorTag
- type IsolationLevel
- type LocalDate
- type LocalDateTime
- type LocalTime
- type Options
- type Pool
- func (p *Pool) Acquire(ctx context.Context) (*PoolConn, error)
- func (p *Pool) Close() error
- func (p *Pool) Execute(ctx context.Context, cmd string) error
- func (p *Pool) Query(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (p *Pool) QueryJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (p *Pool) QueryOne(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (p *Pool) QueryOneJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (p *Pool) RawTx(ctx context.Context, action Action) error
- func (p *Pool) RetryingTx(ctx context.Context, action Action) error
- func (p Pool) WithRetryOptions(opts RetryOptions) *Pool
- func (p Pool) WithTxOptions(opts TxOptions) *Pool
- type PoolConn
- func (c *PoolConn) Execute(ctx context.Context, cmd string) error
- func (c *PoolConn) Query(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (c *PoolConn) QueryJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (c *PoolConn) QueryOne(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (c *PoolConn) QueryOneJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (c *PoolConn) RawTx(ctx context.Context, action Action) error
- func (c *PoolConn) Release() error
- func (c *PoolConn) RetryingTx(ctx context.Context, action Action) error
- func (c PoolConn) WithRetryOptions(opts RetryOptions) *PoolConn
- func (c PoolConn) WithTxOptions(opts TxOptions) *PoolConn
- type RetryBackoff
- type RetryCondition
- type RetryOptions
- type RetryRule
- type Tx
- func (t *Tx) Execute(ctx context.Context, cmd string) error
- func (t *Tx) Query(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (t *Tx) QueryJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- func (t *Tx) QueryOne(ctx context.Context, cmd string, out interface{}, args ...interface{}) error
- func (t *Tx) QueryOneJSON(ctx context.Context, cmd string, out *[]byte, args ...interface{}) error
- type TxOptions
- type UUID
Examples ¶
Constants ¶
const ( // TxConflict indicates that the server could not complete a transaction // because it encountered a deadlock or serialization error. TxConflict = iota // NetworkError indicates that the transaction was interupted // by a network error. NetworkError )
The following conditions can be configured with a custom RetryRule. See RetryOptions.
Variables ¶
var ( // ParseUUID parses s into a UUID or returns an error. ParseUUID = edgedbtypes.ParseUUID // NewLocalDateTime returns a new LocalDateTime NewLocalDateTime = edgedbtypes.NewLocalDateTime // NewLocalDate returns a new LocalDate NewLocalDate = edgedbtypes.NewLocalDate // NewLocalTime returns a new LocalTime NewLocalTime = edgedbtypes.NewLocalTime )
Functions ¶
This section is empty.
Types ¶
type Conn ¶
type Conn struct {
// contains filtered or unexported fields
}
Conn is a single Conn to a server. Conn is not safe for concurrent use. Pool should be preferred over Conn for most use cases.
func ConnectOne ¶
ConnectOne establishes a connection to an EdgeDB server.
func ConnectOneDSN ¶
ConnectOneDSN establishes a connection to an EdgeDB server.
dsn is either an instance name https://www.edgedb.com/docs/clients/00_python/instances/#edgedb-instances or it specifies a single string in the following format:
edgedb://user:password@host:port/database?option=value.
The following options are recognized: host, port, user, database, password.
func (Conn) QueryOne ¶ added in v0.6.0
func (b Conn) QueryOne( ctx context.Context, cmd string, out interface{}, args ...interface{}, ) error
QueryOne runs a singleton-returning query and returns its element. If the query executes successfully but doesn't return a result a NoDataError is returned.
func (Conn) QueryOneJSON ¶ added in v0.6.0
func (b Conn) QueryOneJSON( ctx context.Context, cmd string, out *[]byte, args ...interface{}, ) error
QueryOneJSON runs a singleton-returning query. If the query executes successfully but doesn't have a result a NoDataError is returned.
func (*Conn) RawTx ¶ added in v0.6.0
RawTx runs an action in a transaction. If the action returns an error the transaction is rolled back, otherwise it is committed.
func (*Conn) RetryingTx ¶ added in v0.6.0
RetryingTx does the same as RawTx but retries failed actions if they might succeed on a subsequent attempt.
func (Conn) WithRetryOptions ¶ added in v0.6.0
func (c Conn) WithRetryOptions(opts RetryOptions) *Conn
WithRetryOptions returns a shallow copy of the connection with the RetryOptions set to opts.
func (Conn) WithTxOptions ¶ added in v0.6.0
WithTxOptions returns a shallow copy of the connection with the TxOptions set to opts.
type Error ¶
type Error interface {
Error() string
Unwrap() error
// HasTag returns true if the error is marked with the supplied tag.
HasTag(ErrorTag) bool
// Category returns true if the error is in the provided category.
Category(ErrorCategory) bool
}
Error is the error type returned from edgedb.
type ErrorCategory ¶
type ErrorCategory string
ErrorCategory values represent EdgeDB's error types.
const ( InternalServerError ErrorCategory = "errors::InternalServerError" UnsupportedFeatureError ErrorCategory = "errors::UnsupportedFeatureError" ProtocolError ErrorCategory = "errors::ProtocolError" BinaryProtocolError ErrorCategory = "errors::BinaryProtocolError" UnsupportedProtocolVersionError ErrorCategory = "errors::UnsupportedProtocolVersionError" TypeSpecNotFoundError ErrorCategory = "errors::TypeSpecNotFoundError" UnexpectedMessageError ErrorCategory = "errors::UnexpectedMessageError" InputDataError ErrorCategory = "errors::InputDataError" ResultCardinalityMismatchError ErrorCategory = "errors::ResultCardinalityMismatchError" CapabilityError ErrorCategory = "errors::CapabilityError" UnsupportedCapabilityError ErrorCategory = "errors::UnsupportedCapabilityError" DisabledCapabilityError ErrorCategory = "errors::DisabledCapabilityError" QueryError ErrorCategory = "errors::QueryError" InvalidSyntaxError ErrorCategory = "errors::InvalidSyntaxError" EdgeQLSyntaxError ErrorCategory = "errors::EdgeQLSyntaxError" SchemaSyntaxError ErrorCategory = "errors::SchemaSyntaxError" GraphQLSyntaxError ErrorCategory = "errors::GraphQLSyntaxError" InvalidTypeError ErrorCategory = "errors::InvalidTypeError" InvalidTargetError ErrorCategory = "errors::InvalidTargetError" InvalidLinkTargetError ErrorCategory = "errors::InvalidLinkTargetError" InvalidPropertyTargetError ErrorCategory = "errors::InvalidPropertyTargetError" InvalidReferenceError ErrorCategory = "errors::InvalidReferenceError" UnknownModuleError ErrorCategory = "errors::UnknownModuleError" UnknownLinkError ErrorCategory = "errors::UnknownLinkError" UnknownPropertyError ErrorCategory = "errors::UnknownPropertyError" UnknownUserError ErrorCategory = "errors::UnknownUserError" UnknownDatabaseError ErrorCategory = "errors::UnknownDatabaseError" UnknownParameterError ErrorCategory = "errors::UnknownParameterError" SchemaError ErrorCategory = "errors::SchemaError" SchemaDefinitionError ErrorCategory = "errors::SchemaDefinitionError" InvalidDefinitionError ErrorCategory = "errors::InvalidDefinitionError" InvalidModuleDefinitionError ErrorCategory = "errors::InvalidModuleDefinitionError" InvalidLinkDefinitionError ErrorCategory = "errors::InvalidLinkDefinitionError" InvalidPropertyDefinitionError ErrorCategory = "errors::InvalidPropertyDefinitionError" InvalidUserDefinitionError ErrorCategory = "errors::InvalidUserDefinitionError" InvalidDatabaseDefinitionError ErrorCategory = "errors::InvalidDatabaseDefinitionError" InvalidOperatorDefinitionError ErrorCategory = "errors::InvalidOperatorDefinitionError" InvalidAliasDefinitionError ErrorCategory = "errors::InvalidAliasDefinitionError" InvalidFunctionDefinitionError ErrorCategory = "errors::InvalidFunctionDefinitionError" InvalidConstraintDefinitionError ErrorCategory = "errors::InvalidConstraintDefinitionError" InvalidCastDefinitionError ErrorCategory = "errors::InvalidCastDefinitionError" DuplicateDefinitionError ErrorCategory = "errors::DuplicateDefinitionError" DuplicateModuleDefinitionError ErrorCategory = "errors::DuplicateModuleDefinitionError" DuplicateLinkDefinitionError ErrorCategory = "errors::DuplicateLinkDefinitionError" DuplicatePropertyDefinitionError ErrorCategory = "errors::DuplicatePropertyDefinitionError" DuplicateUserDefinitionError ErrorCategory = "errors::DuplicateUserDefinitionError" DuplicateDatabaseDefinitionError ErrorCategory = "errors::DuplicateDatabaseDefinitionError" DuplicateOperatorDefinitionError ErrorCategory = "errors::DuplicateOperatorDefinitionError" DuplicateViewDefinitionError ErrorCategory = "errors::DuplicateViewDefinitionError" DuplicateFunctionDefinitionError ErrorCategory = "errors::DuplicateFunctionDefinitionError" DuplicateConstraintDefinitionError ErrorCategory = "errors::DuplicateConstraintDefinitionError" DuplicateCastDefinitionError ErrorCategory = "errors::DuplicateCastDefinitionError" QueryTimeoutError ErrorCategory = "errors::QueryTimeoutError" ExecutionError ErrorCategory = "errors::ExecutionError" InvalidValueError ErrorCategory = "errors::InvalidValueError" DivisionByZeroError ErrorCategory = "errors::DivisionByZeroError" NumericOutOfRangeError ErrorCategory = "errors::NumericOutOfRangeError" IntegrityError ErrorCategory = "errors::IntegrityError" ConstraintViolationError ErrorCategory = "errors::ConstraintViolationError" CardinalityViolationError ErrorCategory = "errors::CardinalityViolationError" MissingRequiredError ErrorCategory = "errors::MissingRequiredError" TransactionError ErrorCategory = "errors::TransactionError" TransactionConflictError ErrorCategory = "errors::TransactionConflictError" TransactionSerializationError ErrorCategory = "errors::TransactionSerializationError" TransactionDeadlockError ErrorCategory = "errors::TransactionDeadlockError" ConfigurationError ErrorCategory = "errors::ConfigurationError" AccessError ErrorCategory = "errors::AccessError" AuthenticationError ErrorCategory = "errors::AuthenticationError" ClientError ErrorCategory = "errors::ClientError" ClientConnectionError ErrorCategory = "errors::ClientConnectionError" ClientConnectionFailedError ErrorCategory = "errors::ClientConnectionFailedError" ClientConnectionFailedTemporarilyError ErrorCategory = "errors::ClientConnectionFailedTemporarilyError" ClientConnectionTimeoutError ErrorCategory = "errors::ClientConnectionTimeoutError" ClientConnectionClosedError ErrorCategory = "errors::ClientConnectionClosedError" InterfaceError ErrorCategory = "errors::InterfaceError" QueryArgumentError ErrorCategory = "errors::QueryArgumentError" MissingArgumentError ErrorCategory = "errors::MissingArgumentError" UnknownArgumentError ErrorCategory = "errors::UnknownArgumentError" InvalidArgumentError ErrorCategory = "errors::InvalidArgumentError" NoDataError ErrorCategory = "errors::NoDataError" )
type IsolationLevel ¶ added in v0.6.0
type IsolationLevel string
IsolationLevel documentation can be found here https://www.edgedb.com/docs/edgeql/statements/tx_start#parameters
const ( Serializable IsolationLevel = "serializable" RepeatableRead IsolationLevel = "repeatable_read" )
The available levels are:
type LocalDateTime ¶
type LocalDateTime = edgedbtypes.LocalDateTime
LocalDateTime is a date and time without a time zone.
type Options ¶
type Options struct {
// Hosts is a slice of database host addresses as one of the following
//
// - an IP address or domain name
//
// - an absolute path to the directory
// containing the database server Unix-domain socket
// (not supported on Windows)
//
// If the slice is empty, the following will be tried, in order:
//
// - host address(es) parsed from the dsn argument
//
// - the value of the EDGEDB_HOST environment variable
//
// - on Unix, common directories used for EdgeDB Unix-domain sockets:
// "/run/edgedb" and "/var/run/edgedb"
//
// - "localhost"
Hosts []string
// Ports is a slice of port numbers to connect to at the server host
// (or Unix-domain socket file extension).
//
// Ports may either be:
//
// - the same length ans Hosts
//
// - a single port to be used all specified hosts
//
// - empty indicating the value parsed from the dsn argument
// should be used, or the value of the EDGEDB_PORT environment variable,
// or 5656 if neither is specified.
Ports []int
// User is the name of the database role used for authentication.
// If not specified, the value parsed from the dsn argument is used,
// or the value of the EDGEDB_USER environment variable,
// or the operating system name of the user running the application.
User string
// Database is the name of the database to connect to.
// If not specified, the value parsed from the dsn argument is used,
// or the value of the EDGEDB_DATABASE environment variable,
// or the operating system name of the user running the application.
Database string
// Password to be used for authentication,
// if the server requires one. If not specified,
// the value parsed from the dsn argument is used,
// or the value of the EDGEDB_PASSWORD environment variable.
// Note that the use of the environment variable is discouraged
// as other users and applications may be able to read it
// without needing specific privileges.
Password string
// ConnectTimeout is used when establishing connections in the background.
ConnectTimeout time.Duration
// WaitUntilAvailable determines how long to wait
// to reestablish a connection.
WaitUntilAvailable time.Duration
// MinConns determines the minimum number of connections.
// If MinConns is zero, 1 will be used.
// Has no effect for single connections.
MinConns uint
// MaxConns determines the maximum number of connections.
// If MaxConns is zero, max(4, runtime.NumCPU()) will be used.
// Has no effect for single connections.
MaxConns uint
// ServerSettings is currently unused.
ServerSettings map[string]string
}
Options for connecting to an EdgeDB server
type Pool ¶
type Pool struct {
// contains filtered or unexported fields
}
Pool is a connection pool and is safe for concurrent use.
func ConnectDSN ¶
ConnectDSN connects a pool to a server.
dsn is either an instance name https://www.edgedb.com/docs/clients/00_python/instances/#edgedb-instances or it specifies a single string in the following format:
edgedb://user:password@host:port/database?option=value.
The following options are recognized: host, port, user, database, password.
func (*Pool) Acquire ¶
Acquire returns a connection from the pool blocking until a connection is available. Acquired connections must be released to the pool when no longer needed.
func (*Pool) Close ¶
Close closes all connections in the pool. Calling close blocks until all acquired connections have been released, and returns an error if called more than once.
func (*Pool) Query ¶ added in v0.6.0
func (p *Pool) Query( ctx context.Context, cmd string, out interface{}, args ...interface{}, ) error
Query runs a query and returns the results.
func (*Pool) QueryJSON ¶ added in v0.6.0
func (p *Pool) QueryJSON( ctx context.Context, cmd string, out *[]byte, args ...interface{}, ) error
QueryJSON runs a query and return the results as JSON.
func (*Pool) QueryOne ¶ added in v0.6.0
func (p *Pool) QueryOne( ctx context.Context, cmd string, out interface{}, args ...interface{}, ) error
QueryOne runs a singleton-returning query and returns its element. If the query executes successfully but doesn't return a result a NoDataError is returned.
func (*Pool) QueryOneJSON ¶ added in v0.6.0
func (p *Pool) QueryOneJSON( ctx context.Context, cmd string, out *[]byte, args ...interface{}, ) error
QueryOneJSON runs a singleton-returning query. If the query executes successfully but doesn't have a result a NoDataError is returned.
func (*Pool) RawTx ¶ added in v0.6.0
RawTx runs an action in a transaction. If the action returns an error the transaction is rolled back, otherwise it is committed.
func (*Pool) RetryingTx ¶ added in v0.6.0
RetryingTx does the same as RawTx but retries failed actions if they might succeed on a subsequent attempt.
Retries are governed by retry rules. The default rule can be set with WithRetryRule(). For more fine grained control a retry rule can be set for each defined RetryCondition using WithRetryCondition(). When a transaction fails but is retryable the rule for the failure condition is used to determine if the transaction should be tried again based on RetryRule.Attempts and the amount of time to wait before retrying is determined by RetryRule.Backoff. If either field is unset (see RetryRule) then the default rule is used. If the object's default is unset the fall back is 3 attempts and exponential backoff.
func (Pool) WithRetryOptions ¶ added in v0.6.0
func (p Pool) WithRetryOptions(opts RetryOptions) *Pool
WithRetryOptions returns a shallow copy of the pool with the RetryOptions set to opts.
func (Pool) WithTxOptions ¶ added in v0.6.0
WithTxOptions returns a shallow copy of the pool with the TxOptions set to opts.
type PoolConn ¶
type PoolConn struct {
// contains filtered or unexported fields
}
PoolConn is a pooled connection.
func (*PoolConn) Query ¶ added in v0.6.0
func (c *PoolConn) Query( ctx context.Context, cmd string, out interface{}, args ...interface{}, ) error
Query runs a query and returns the results.
func (*PoolConn) QueryJSON ¶ added in v0.6.0
func (c *PoolConn) QueryJSON( ctx context.Context, cmd string, out *[]byte, args ...interface{}, ) error
QueryJSON runs a query and return the results as JSON.
func (*PoolConn) QueryOne ¶ added in v0.6.0
func (c *PoolConn) QueryOne( ctx context.Context, cmd string, out interface{}, args ...interface{}, ) error
QueryOne runs a singleton-returning query and returns its element. If the query executes successfully but doesn't return a result a NoDataError is returned.
func (*PoolConn) QueryOneJSON ¶ added in v0.6.0
func (c *PoolConn) QueryOneJSON( ctx context.Context, cmd string, out *[]byte, args ...interface{}, ) error
QueryOneJSON runs a singleton-returning query. If the query executes successfully but doesn't have a result a NoDataError is returned.
func (*PoolConn) RawTx ¶ added in v0.6.0
RawTx runs an action in a transaction. If the action returns an error the transaction is rolled back, otherwise it is committed.
func (*PoolConn) Release ¶
Release the connection back to its pool. Release returns an error if called more than once. A PoolConn is not usable after Release has been called.
func (*PoolConn) RetryingTx ¶ added in v0.6.0
RetryingTx does the same as RawTx but retries failed actions if they might succeed on a subsequent attempt.
func (PoolConn) WithRetryOptions ¶ added in v0.6.0
func (c PoolConn) WithRetryOptions(opts RetryOptions) *PoolConn
WithRetryOptions returns a shallow copy of the connection with the RetryOptions set to opts.
func (PoolConn) WithTxOptions ¶ added in v0.6.0
WithTxOptions returns a shallow copy of the connection with the TxOptions set to opts.
type RetryBackoff ¶ added in v0.6.0
RetryBackoff returns the duration to wait after the nth attempt before making the next attempt when retrying a transaction.
type RetryCondition ¶ added in v0.6.0
type RetryCondition int
RetryCondition represents scenarios that can caused a transaction run in RetryingTx() methods to be retried.
type RetryOptions ¶ added in v0.6.0
type RetryOptions struct {
// contains filtered or unexported fields
}
RetryOptions configures how RetryingTx() retries failed transactions. Use NewRetryOptions to get a default RetryOptions value instead of creating one yourself.
func (RetryOptions) WithCondition ¶ added in v0.6.0
func (o RetryOptions) WithCondition( condition RetryCondition, rule RetryRule, ) RetryOptions
WithCondition sets the retry rule for the specified condition.
func (RetryOptions) WithDefault ¶ added in v0.6.0
func (o RetryOptions) WithDefault(rule RetryRule) RetryOptions
WithDefault sets the rule for all conditions to rule.
type RetryRule ¶ added in v0.6.0
type RetryRule struct {
// contains filtered or unexported fields
}
RetryRule determines how transactions should be retried when run in RetryingTx() methods. See Pool.RetryingTx() for details.
func NewRetryRule ¶ added in v0.6.0
func NewRetryRule() RetryRule
NewRetryRule returns the default RetryRule value.
func (RetryRule) WithAttempts ¶ added in v0.6.0
WithAttempts sets the rule's attempts. attempts must be greater than zero.
func (RetryRule) WithBackoff ¶ added in v0.6.0
func (r RetryRule) WithBackoff(fn RetryBackoff) RetryRule
WithBackoff returns a copy of the RetryRule with backoff set to fn.
type Tx ¶
type Tx struct {
// contains filtered or unexported fields
}
Tx is a transaction. Use RetryingTx() or RawTx() to get a transaction.
type TxOptions ¶ added in v0.6.0
type TxOptions struct {
// contains filtered or unexported fields
}
TxOptions configures how transactions behave.
func NewTxOptions ¶ added in v0.6.0
func NewTxOptions() TxOptions
NewTxOptions returns the default TxOptions value.
func (TxOptions) WithDeferrable ¶ added in v0.6.0
WithDeferrable returns a shallow copy of the pool with the transaction deferrable mode set to d.
func (TxOptions) WithIsolation ¶ added in v0.6.0
func (o TxOptions) WithIsolation(i IsolationLevel) TxOptions
WithIsolation returns a copy of the TxOptions with the isolation level set to i.
func (TxOptions) WithReadOnly ¶ added in v0.6.0
WithReadOnly returns a shallow copy of the pool with the transaction read only access mode set to r.
Source Files
¶
Directories
¶
| Path | Synopsis |
|---|---|
|
edgedb
module
|
|
|
internal
|
|
|
cmd/generr
command
|
|
|
soc
Package soc has utilities for working with sockets.
|
Package soc has utilities for working with sockets. |