package context
Import Path
context (on go.dev )
Dependency Relation
imports 5 packages , and imported by 7 packages
Involved Source Files
d context.go
Package context defines the Context type, which carries deadlines,
cancellation signals, and other request-scoped values across API boundaries
and between processes.
Incoming requests to a server should create a [Context], and outgoing
calls to servers should accept a Context. The chain of function
calls between them must propagate the Context, optionally replacing
it with a derived Context created using [WithCancel], [WithDeadline],
[WithTimeout], or [WithValue]. When a Context is canceled, all
Contexts derived from it are also canceled.
The [WithCancel], [WithDeadline], and [WithTimeout] functions take a
Context (the parent) and return a derived Context (the child) and a
[CancelFunc]. Calling the CancelFunc cancels the child and its
children, removes the parent's reference to the child, and stops
any associated timers. Failing to call the CancelFunc leaks the
child and its children until the parent is canceled or the timer
fires. The go vet tool checks that CancelFuncs are used on all
control-flow paths.
The [WithCancelCause] function returns a [CancelCauseFunc], which
takes an error and records it as the cancellation cause. Calling
[Cause] on the canceled context or any of its children retrieves
the cause. If no cause is specified, Cause(ctx) returns the same
value as ctx.Err().
Programs that use Contexts should follow these rules to keep interfaces
consistent across packages and enable static analysis tools to check context
propagation:
Do not store Contexts inside a struct type; instead, pass a Context
explicitly to each function that needs it. The Context should be the first
parameter, typically named ctx:
func DoSomething(ctx context.Context, arg Arg) error {
// ... use ctx ...
}
Do not pass a nil [Context], even if a function permits it. Pass [context.TODO]
if you are unsure about which Context to use.
Use context Values only for request-scoped data that transits processes and
APIs, not for passing optional parameters to functions.
The same Context may be passed to functions running in different goroutines;
Contexts are safe for simultaneous use by multiple goroutines.
See https://blog.golang.org/context for example code for a server that uses
Contexts.
Code Examples
AfterFunc_cond
package main
import (
"context"
"fmt"
"sync"
"time"
)
func main() {
waitOnCond := func(ctx context.Context, cond *sync.Cond, conditionMet func() bool) error {
stopf := context.AfterFunc(ctx, func() {
// We need to acquire cond.L here to be sure that the Broadcast
// below won't occur before the call to Wait, which would result
// in a missed signal (and deadlock).
cond.L.Lock()
defer cond.L.Unlock()
// If multiple goroutines are waiting on cond simultaneously,
// we need to make sure we wake up exactly this one.
// That means that we need to Broadcast to all of the goroutines,
// which will wake them all up.
//
// If there are N concurrent calls to waitOnCond, each of the goroutines
// will spuriously wake up O(N) other goroutines that aren't ready yet,
// so this will cause the overall CPU cost to be O(N²).
cond.Broadcast()
})
defer stopf()
// Since the wakeups are using Broadcast instead of Signal, this call to
// Wait may unblock due to some other goroutine's context becoming done,
// so to be sure that ctx is actually done we need to check it in a loop.
for !conditionMet() {
cond.Wait()
if ctx.Err() != nil {
return ctx.Err()
}
}
return nil
}
cond := sync.NewCond(new(sync.Mutex))
var wg sync.WaitGroup
for i := 0; i < 4; i++ {
wg.Add(1)
go func() {
defer wg.Done()
ctx, cancel := context.WithTimeout(context.Background(), 1*time.Millisecond)
defer cancel()
cond.L.Lock()
defer cond.L.Unlock()
err := waitOnCond(ctx, cond, func() bool { return false })
fmt.Println(err)
}()
}
wg.Wait()
}
AfterFunc_connection
package main
import (
"context"
"fmt"
"net"
"time"
)
func main() {
readFromConn := func(ctx context.Context, conn net.Conn, b []byte) (n int, err error) {
stopc := make(chan struct{})
stop := context.AfterFunc(ctx, func() {
conn.SetReadDeadline(time.Now())
close(stopc)
})
n, err = conn.Read(b)
if !stop() {
// The AfterFunc was started.
// Wait for it to complete, and reset the Conn's deadline.
<-stopc
conn.SetReadDeadline(time.Time{})
return n, ctx.Err()
}
return n, err
}
listener, err := net.Listen("tcp", ":0")
if err != nil {
fmt.Println(err)
return
}
defer listener.Close()
conn, err := net.Dial(listener.Addr().Network(), listener.Addr().String())
if err != nil {
fmt.Println(err)
return
}
defer conn.Close()
ctx, cancel := context.WithTimeout(context.Background(), 1*time.Millisecond)
defer cancel()
b := make([]byte, 1024)
_, err = readFromConn(ctx, conn, b)
fmt.Println(err)
}
AfterFunc_merge
package main
import (
"context"
"errors"
"fmt"
)
func main() {
// mergeCancel returns a context that contains the values of ctx,
// and which is canceled when either ctx or cancelCtx is canceled.
mergeCancel := func(ctx, cancelCtx context.Context) (context.Context, context.CancelFunc) {
ctx, cancel := context.WithCancelCause(ctx)
stop := context.AfterFunc(cancelCtx, func() {
cancel(context.Cause(cancelCtx))
})
return ctx, func() {
stop()
cancel(context.Canceled)
}
}
ctx1, cancel1 := context.WithCancelCause(context.Background())
defer cancel1(errors.New("ctx1 canceled"))
ctx2, cancel2 := context.WithCancelCause(context.Background())
mergedCtx, mergedCancel := mergeCancel(ctx1, ctx2)
defer mergedCancel()
cancel2(errors.New("ctx2 canceled"))
<-mergedCtx.Done()
fmt.Println(context.Cause(mergedCtx))
}
WithCancel
package main
import (
"context"
"fmt"
)
func main() {
// gen generates integers in a separate goroutine and
// sends them to the returned channel.
// The callers of gen need to cancel the context once
// they are done consuming generated integers not to leak
// the internal goroutine started by gen.
gen := func(ctx context.Context) <-chan int {
dst := make(chan int)
n := 1
go func() {
for {
select {
case <-ctx.Done():
return // returning not to leak the goroutine
case dst <- n:
n++
}
}
}()
return dst
}
ctx, cancel := context.WithCancel(context.Background())
defer cancel() // cancel when we are finished consuming integers
for n := range gen(ctx) {
fmt.Println(n)
if n == 5 {
break
}
}
}
WithDeadline
{
d := time.Now().Add(shortDuration)
ctx, cancel := context.WithDeadline(context.Background(), d)
defer cancel()
select {
case <-neverReady:
fmt.Println("ready")
case <-ctx.Done():
fmt.Println(ctx.Err())
}
}
WithTimeout
{
ctx, cancel := context.WithTimeout(context.Background(), shortDuration)
defer cancel()
select {
case <-neverReady:
fmt.Println("ready")
case <-ctx.Done():
fmt.Println(ctx.Err())
}
}
WithValue
package main
import (
"context"
"fmt"
)
func main() {
type favContextKey string
f := func(ctx context.Context, k favContextKey) {
if v := ctx.Value(k); v != nil {
fmt.Println("found value:", v)
return
}
fmt.Println("key not found:", k)
}
k := favContextKey("language")
ctx := context.WithValue(context.Background(), k, "Go")
f(ctx, k)
f(ctx, favContextKey("color"))
}
Package-Level Type Names (total 16, in which 3 are exported)
/* sort exporteds by: alphabet | popularity */
type CancelCauseFunc (func)
A CancelCauseFunc behaves like a [CancelFunc] but additionally sets the cancellation cause.
This cause can be retrieved by calling [Cause] on the canceled Context or on
any of its derived Contexts.
If the context has already been canceled, CancelCauseFunc does not set the cause.
For example, if childContext is derived from parentContext:
- if parentContext is canceled with cause1 before childContext is canceled with cause2,
then Cause(parentContext) == Cause(childContext) == cause1
- if childContext is canceled with cause2 before parentContext is canceled with cause1,
then Cause(parentContext) == cause1 and Cause(childContext) == cause2
As Outputs Of (at least 2, in which 1 is exported )
func WithCancelCause (parent Context ) (ctx Context , cancel CancelCauseFunc )
/* at least one unexported ... */ /* at least one unexported: */
func net/http.(*Transport ).prepareTransportCancel (req *http .Request , origCancel CancelCauseFunc ) CancelCauseFunc
As Inputs Of (at least 2, neither is exported )
/* 2+ unexporteds ... */ /* 2+ unexporteds: */
func net/http.awaitLegacyCancel (ctx Context , cancel CancelCauseFunc , req *http .Request )
func net/http.(*Transport ).prepareTransportCancel (req *http .Request , origCancel CancelCauseFunc ) CancelCauseFunc
type CancelFunc (func)
A CancelFunc tells an operation to abandon its work.
A CancelFunc does not wait for the work to stop.
A CancelFunc may be called by multiple goroutines simultaneously.
After the first call, subsequent calls to a CancelFunc do nothing.
As Outputs Of (at least 5, all are exported )
func WithCancel (parent Context ) (ctx Context , cancel CancelFunc )
func WithDeadline (parent Context , d time .Time ) (Context , CancelFunc )
func WithDeadlineCause (parent Context , d time .Time , cause error ) (Context , CancelFunc )
func WithTimeout (parent Context , timeout time .Duration ) (Context , CancelFunc )
func WithTimeoutCause (parent Context , timeout time .Duration , cause error ) (Context , CancelFunc )
type Context (interface)
A Context carries a deadline, a cancellation signal, and other values across
API boundaries.
Context's methods may be called by multiple goroutines simultaneously.
Methods (total 4, all are exported )
( Context) Deadline () (deadline time .Time , ok bool )
Deadline returns the time when work done on behalf of this context
should be canceled. Deadline returns ok==false when no deadline is
set. Successive calls to Deadline return the same results.
( Context) Done () <-chan struct{}
Done returns a channel that's closed when work done on behalf of this
context should be canceled. Done may return nil if this context can
never be canceled. Successive calls to Done return the same value.
The close of the Done channel may happen asynchronously,
after the cancel function returns.
WithCancel arranges for Done to be closed when cancel is called;
WithDeadline arranges for Done to be closed when the deadline
expires; WithTimeout arranges for Done to be closed when the timeout
elapses.
Done is provided for use in select statements:
// Stream generates values with DoSomething and sends them to out
// until DoSomething returns an error or ctx.Done is closed.
func Stream(ctx context.Context, out chan<- Value) error {
for {
v, err := DoSomething(ctx)
if err != nil {
return err
}
select {
case <-ctx.Done():
return ctx.Err()
case out <- v:
}
}
}
See https://blog.golang.org/pipelines for more examples of how to use
a Done channel for cancellation.
( Context) Err () error
If Done is not yet closed, Err returns nil.
If Done is closed, Err returns a non-nil error explaining why:
Canceled if the context was canceled
or DeadlineExceeded if the context's deadline passed.
After Err returns a non-nil error, successive calls to Err return the same error.
( Context) Value (key any ) any
Value returns the value associated with this context for key, or nil
if no value is associated with key. Successive calls to Value with
the same key returns the same result.
Use context values only for request-scoped data that transits
processes and API boundaries, not for passing optional parameters to
functions.
A key identifies a specific value in a Context. Functions that wish
to store values in Context typically allocate a key in a global
variable then use that key as the argument to context.WithValue and
Context.Value. A key can be any type that supports equality;
packages should define keys as an unexported type to avoid
collisions.
Packages that define a Context key should provide type-safe accessors
for the values stored using that key:
// Package user defines a User type that's stored in Contexts.
package user
import "context"
// User is the type of value stored in the Contexts.
type User struct {...}
// key is an unexported type for keys defined in this package.
// This prevents collisions with keys defined in other packages.
type key int
// userKey is the key for user.User values in Contexts. It is
// unexported; clients use user.NewContext and user.FromContext
// instead of using this key directly.
var userKey key
// NewContext returns a new Context that carries value u.
func NewContext(ctx context.Context, u *User) context.Context {
return context.WithValue(ctx, userKey, u)
}
// FromContext returns the User value stored in ctx, if any.
func FromContext(ctx context.Context) (*User, bool) {
u, ok := ctx.Value(userKey).(*User)
return u, ok
}
Implemented By (at least 10, none are exported )
/* 10+ unexporteds ... */ /* 10+ unexporteds: */
*afterFuncCtx
backgroundCtx
*cancelCtx
emptyCtx
stopCtx
*timerCtx
todoCtx
*valueCtx
withoutCancelCtx
*net.onlyValuesCtx
As Outputs Of (at least 16, in which 14 are exported )
func Background () Context
func TODO () Context
func WithCancel (parent Context ) (ctx Context , cancel CancelFunc )
func WithCancelCause (parent Context ) (ctx Context , cancel CancelCauseFunc )
func WithDeadline (parent Context , d time .Time ) (Context , CancelFunc )
func WithDeadlineCause (parent Context , d time .Time , cause error ) (Context , CancelFunc )
func WithoutCancel (parent Context ) Context
func WithTimeout (parent Context , timeout time .Duration ) (Context , CancelFunc )
func WithTimeoutCause (parent Context , timeout time .Duration , cause error ) (Context , CancelFunc )
func WithValue (parent Context , key, val any ) Context
func crypto/tls.(*CertificateRequestInfo ).Context () Context
func crypto/tls.(*ClientHelloInfo ).Context () Context
func net/http.(*Request ).Context () Context
func net/http/httptrace.WithClientTrace (ctx Context , trace *httptrace .ClientTrace ) Context
/* 2+ unexporteds ... */ /* 2+ unexporteds: */
func net.withUnexpiredValuesPreserved (lookupCtx Context ) Context
func net/http.http2serverConnBaseContext (c net .Conn , opts *http .http2ServeConnOpts ) (ctx Context , cancel func())
As Inputs Of (at least 452, in which 394 are exported )
func AfterFunc (ctx Context , f func()) (stop func() bool )
func Cause (c Context ) error
func WithCancel (parent Context ) (ctx Context , cancel CancelFunc )
func WithCancelCause (parent Context ) (ctx Context , cancel CancelCauseFunc )
func WithDeadline (parent Context , d time .Time ) (Context , CancelFunc )
func WithDeadlineCause (parent Context , d time .Time , cause error ) (Context , CancelFunc )
func WithoutCancel (parent Context ) Context
func WithTimeout (parent Context , timeout time .Duration ) (Context , CancelFunc )
func WithTimeoutCause (parent Context , timeout time .Duration , cause error ) (Context , CancelFunc )
func WithValue (parent Context , key, val any ) Context
func crypto/tls.(*Conn ).HandshakeContext (ctx Context ) error
func crypto/tls.(*Dialer ).DialContext (ctx Context , network, addr string ) (net .Conn , error )
func crypto/tls.(*QUICConn ).Start (ctx Context ) error
func database/sql/driver.ConnBeginTx .BeginTx (ctx Context , opts driver .TxOptions ) (driver .Tx , error )
func database/sql/driver.Connector .Connect (Context ) (driver .Conn , error )
func database/sql/driver.ConnPrepareContext .PrepareContext (ctx Context , query string ) (driver .Stmt , error )
func database/sql/driver.ExecerContext .ExecContext (ctx Context , query string , args []driver .NamedValue ) (driver .Result , error )
func database/sql/driver.Pinger .Ping (ctx Context ) error
func database/sql/driver.QueryerContext .QueryContext (ctx Context , query string , args []driver .NamedValue ) (driver .Rows , error )
func database/sql/driver.SessionResetter .ResetSession (ctx Context ) error
func database/sql/driver.StmtExecContext .ExecContext (ctx Context , args []driver .NamedValue ) (driver .Result , error )
func database/sql/driver.StmtQueryContext .QueryContext (ctx Context , args []driver .NamedValue ) (driver .Rows , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateEvmAccount (ctx Context , params *openapi .CreateEvmAccountParams , body openapi .CreateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateEvmAccountWithBody (ctx Context , params *openapi .CreateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateEvmSmartAccount (ctx Context , params *openapi .CreateEvmSmartAccountParams , body openapi .CreateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateEvmSmartAccountWithBody (ctx Context , params *openapi .CreateEvmSmartAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateEvmSwapQuote (ctx Context , params *openapi .CreateEvmSwapQuoteParams , body openapi .CreateEvmSwapQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateEvmSwapQuoteWithBody (ctx Context , params *openapi .CreateEvmSwapQuoteParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateOnrampOrder (ctx Context , body openapi .CreateOnrampOrderJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateOnrampOrderWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreatePaymentTransferQuote (ctx Context , body openapi .CreatePaymentTransferQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreatePaymentTransferQuoteWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreatePolicy (ctx Context , params *openapi .CreatePolicyParams , body openapi .CreatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreatePolicyWithBody (ctx Context , params *openapi .CreatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateSolanaAccount (ctx Context , params *openapi .CreateSolanaAccountParams , body openapi .CreateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateSolanaAccountWithBody (ctx Context , params *openapi .CreateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateSpendPermission (ctx Context , address string , params *openapi .CreateSpendPermissionParams , body openapi .CreateSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).CreateSpendPermissionWithBody (ctx Context , address string , params *openapi .CreateSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).DeletePolicy (ctx Context , policyId string , params *openapi .DeletePolicyParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExecutePaymentTransferQuote (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportEvmAccount (ctx Context , address string , params *openapi .ExportEvmAccountParams , body openapi .ExportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportEvmAccountByName (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , body openapi .ExportEvmAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportEvmAccountByNameWithBody (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportEvmAccountWithBody (ctx Context , address string , params *openapi .ExportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportSolanaAccount (ctx Context , address string , params *openapi .ExportSolanaAccountParams , body openapi .ExportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportSolanaAccountByName (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , body openapi .ExportSolanaAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportSolanaAccountByNameWithBody (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ExportSolanaAccountWithBody (ctx Context , address string , params *openapi .ExportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetCryptoRails (ctx Context , params *openapi .GetCryptoRailsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetEvmAccount (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetEvmAccountByName (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetEvmSmartAccount (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetEvmSmartAccountByName (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetEvmSwapPrice (ctx Context , params *openapi .GetEvmSwapPriceParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetOnrampOrderById (ctx Context , orderId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetPaymentMethods (ctx Context , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetPaymentTransfer (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetPolicyById (ctx Context , policyId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetSolanaAccount (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetSolanaAccountByName (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).GetUserOperation (ctx Context , address string , userOpHash string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ImportEvmAccount (ctx Context , params *openapi .ImportEvmAccountParams , body openapi .ImportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ImportEvmAccountWithBody (ctx Context , params *openapi .ImportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ImportSolanaAccount (ctx Context , params *openapi .ImportSolanaAccountParams , body openapi .ImportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ImportSolanaAccountWithBody (ctx Context , params *openapi .ImportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListDataTokenBalances (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListDataTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListEvmAccounts (ctx Context , params *openapi .ListEvmAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListEvmSmartAccounts (ctx Context , params *openapi .ListEvmSmartAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListEvmTokenBalances (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListEvmTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListPolicies (ctx Context , params *openapi .ListPoliciesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListSolanaAccounts (ctx Context , params *openapi .ListSolanaAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListSolanaTokenBalances (ctx Context , network openapi .ListSolanaTokenBalancesNetwork , address string , params *openapi .ListSolanaTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListSpendPermissions (ctx Context , address string , params *openapi .ListSpendPermissionsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).ListTokensForAccount (ctx Context , network openapi .ListTokensForAccountParamsNetwork , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).PrepareUserOperation (ctx Context , address string , body openapi .PrepareUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).PrepareUserOperationWithBody (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RequestEvmFaucet (ctx Context , body openapi .RequestEvmFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RequestEvmFaucetWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RequestSolanaFaucet (ctx Context , body openapi .RequestSolanaFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RequestSolanaFaucetWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RevokeSpendPermission (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , body openapi .RevokeSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RevokeSpendPermissionWithBody (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RunSQLQuery (ctx Context , body openapi .RunSQLQueryJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).RunSQLQueryWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SendEvmTransaction (ctx Context , address string , params *openapi .SendEvmTransactionParams , body openapi .SendEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SendEvmTransactionWithBody (ctx Context , address string , params *openapi .SendEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SendSolanaTransaction (ctx Context , params *openapi .SendSolanaTransactionParams , body openapi .SendSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SendSolanaTransactionWithBody (ctx Context , params *openapi .SendSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SendUserOperation (ctx Context , address string , userOpHash string , body openapi .SendUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SendUserOperationWithBody (ctx Context , address string , userOpHash string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmHash (ctx Context , address string , params *openapi .SignEvmHashParams , body openapi .SignEvmHashJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmHashWithBody (ctx Context , address string , params *openapi .SignEvmHashParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmMessage (ctx Context , address string , params *openapi .SignEvmMessageParams , body openapi .SignEvmMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmMessageWithBody (ctx Context , address string , params *openapi .SignEvmMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmTransaction (ctx Context , address string , params *openapi .SignEvmTransactionParams , body openapi .SignEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmTransactionWithBody (ctx Context , address string , params *openapi .SignEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmTypedData (ctx Context , address string , params *openapi .SignEvmTypedDataParams , body openapi .SignEvmTypedDataJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignEvmTypedDataWithBody (ctx Context , address string , params *openapi .SignEvmTypedDataParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignSolanaMessage (ctx Context , address string , params *openapi .SignSolanaMessageParams , body openapi .SignSolanaMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignSolanaMessageWithBody (ctx Context , address string , params *openapi .SignSolanaMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignSolanaTransaction (ctx Context , address string , params *openapi .SignSolanaTransactionParams , body openapi .SignSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).SignSolanaTransactionWithBody (ctx Context , address string , params *openapi .SignSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdateEvmAccount (ctx Context , address string , params *openapi .UpdateEvmAccountParams , body openapi .UpdateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdateEvmAccountWithBody (ctx Context , address string , params *openapi .UpdateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdateEvmSmartAccount (ctx Context , address string , body openapi .UpdateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdateEvmSmartAccountWithBody (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdatePolicy (ctx Context , policyId string , params *openapi .UpdatePolicyParams , body openapi .UpdatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdatePolicyWithBody (ctx Context , policyId string , params *openapi .UpdatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdateSolanaAccount (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , body openapi .UpdateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).UpdateSolanaAccountWithBody (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateEvmAccount (ctx Context , params *openapi .CreateEvmAccountParams , body openapi .CreateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateEvmAccountWithBody (ctx Context , params *openapi .CreateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateEvmSmartAccount (ctx Context , params *openapi .CreateEvmSmartAccountParams , body openapi .CreateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateEvmSmartAccountWithBody (ctx Context , params *openapi .CreateEvmSmartAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateEvmSwapQuote (ctx Context , params *openapi .CreateEvmSwapQuoteParams , body openapi .CreateEvmSwapQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateEvmSwapQuoteWithBody (ctx Context , params *openapi .CreateEvmSwapQuoteParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateOnrampOrder (ctx Context , body openapi .CreateOnrampOrderJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateOnrampOrderWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreatePaymentTransferQuote (ctx Context , body openapi .CreatePaymentTransferQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreatePaymentTransferQuoteWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreatePolicy (ctx Context , params *openapi .CreatePolicyParams , body openapi .CreatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreatePolicyWithBody (ctx Context , params *openapi .CreatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateSolanaAccount (ctx Context , params *openapi .CreateSolanaAccountParams , body openapi .CreateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateSolanaAccountWithBody (ctx Context , params *openapi .CreateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateSpendPermission (ctx Context , address string , params *openapi .CreateSpendPermissionParams , body openapi .CreateSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .CreateSpendPermissionWithBody (ctx Context , address string , params *openapi .CreateSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .DeletePolicy (ctx Context , policyId string , params *openapi .DeletePolicyParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExecutePaymentTransferQuote (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportEvmAccount (ctx Context , address string , params *openapi .ExportEvmAccountParams , body openapi .ExportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportEvmAccountByName (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , body openapi .ExportEvmAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportEvmAccountByNameWithBody (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportEvmAccountWithBody (ctx Context , address string , params *openapi .ExportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportSolanaAccount (ctx Context , address string , params *openapi .ExportSolanaAccountParams , body openapi .ExportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportSolanaAccountByName (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , body openapi .ExportSolanaAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportSolanaAccountByNameWithBody (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ExportSolanaAccountWithBody (ctx Context , address string , params *openapi .ExportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetCryptoRails (ctx Context , params *openapi .GetCryptoRailsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetEvmAccount (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetEvmAccountByName (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetEvmSmartAccount (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetEvmSmartAccountByName (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetEvmSwapPrice (ctx Context , params *openapi .GetEvmSwapPriceParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetOnrampOrderById (ctx Context , orderId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetPaymentMethods (ctx Context , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetPaymentTransfer (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetPolicyById (ctx Context , policyId string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetSolanaAccount (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetSolanaAccountByName (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .GetUserOperation (ctx Context , address string , userOpHash string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ImportEvmAccount (ctx Context , params *openapi .ImportEvmAccountParams , body openapi .ImportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ImportEvmAccountWithBody (ctx Context , params *openapi .ImportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ImportSolanaAccount (ctx Context , params *openapi .ImportSolanaAccountParams , body openapi .ImportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ImportSolanaAccountWithBody (ctx Context , params *openapi .ImportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListDataTokenBalances (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListDataTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListEvmAccounts (ctx Context , params *openapi .ListEvmAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListEvmSmartAccounts (ctx Context , params *openapi .ListEvmSmartAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListEvmTokenBalances (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListEvmTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListPolicies (ctx Context , params *openapi .ListPoliciesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListSolanaAccounts (ctx Context , params *openapi .ListSolanaAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListSolanaTokenBalances (ctx Context , network openapi .ListSolanaTokenBalancesNetwork , address string , params *openapi .ListSolanaTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListSpendPermissions (ctx Context , address string , params *openapi .ListSpendPermissionsParams , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .ListTokensForAccount (ctx Context , network openapi .ListTokensForAccountParamsNetwork , address string , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .PrepareUserOperation (ctx Context , address string , body openapi .PrepareUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .PrepareUserOperationWithBody (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RequestEvmFaucet (ctx Context , body openapi .RequestEvmFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RequestEvmFaucetWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RequestSolanaFaucet (ctx Context , body openapi .RequestSolanaFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RequestSolanaFaucetWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RevokeSpendPermission (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , body openapi .RevokeSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RevokeSpendPermissionWithBody (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RunSQLQuery (ctx Context , body openapi .RunSQLQueryJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .RunSQLQueryWithBody (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SendEvmTransaction (ctx Context , address string , params *openapi .SendEvmTransactionParams , body openapi .SendEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SendEvmTransactionWithBody (ctx Context , address string , params *openapi .SendEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SendSolanaTransaction (ctx Context , params *openapi .SendSolanaTransactionParams , body openapi .SendSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SendSolanaTransactionWithBody (ctx Context , params *openapi .SendSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SendUserOperation (ctx Context , address string , userOpHash string , body openapi .SendUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SendUserOperationWithBody (ctx Context , address string , userOpHash string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmHash (ctx Context , address string , params *openapi .SignEvmHashParams , body openapi .SignEvmHashJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmHashWithBody (ctx Context , address string , params *openapi .SignEvmHashParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmMessage (ctx Context , address string , params *openapi .SignEvmMessageParams , body openapi .SignEvmMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmMessageWithBody (ctx Context , address string , params *openapi .SignEvmMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmTransaction (ctx Context , address string , params *openapi .SignEvmTransactionParams , body openapi .SignEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmTransactionWithBody (ctx Context , address string , params *openapi .SignEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmTypedData (ctx Context , address string , params *openapi .SignEvmTypedDataParams , body openapi .SignEvmTypedDataJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignEvmTypedDataWithBody (ctx Context , address string , params *openapi .SignEvmTypedDataParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignSolanaMessage (ctx Context , address string , params *openapi .SignSolanaMessageParams , body openapi .SignSolanaMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignSolanaMessageWithBody (ctx Context , address string , params *openapi .SignSolanaMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignSolanaTransaction (ctx Context , address string , params *openapi .SignSolanaTransactionParams , body openapi .SignSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .SignSolanaTransactionWithBody (ctx Context , address string , params *openapi .SignSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdateEvmAccount (ctx Context , address string , params *openapi .UpdateEvmAccountParams , body openapi .UpdateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdateEvmAccountWithBody (ctx Context , address string , params *openapi .UpdateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdateEvmSmartAccount (ctx Context , address string , body openapi .UpdateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdateEvmSmartAccountWithBody (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdatePolicy (ctx Context , policyId string , params *openapi .UpdatePolicyParams , body openapi .UpdatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdatePolicyWithBody (ctx Context , policyId string , params *openapi .UpdatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdateSolanaAccount (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , body openapi .UpdateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientInterface .UpdateSolanaAccountWithBody (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*http .Response , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateEvmAccountWithBodyWithResponse (ctx Context , params *openapi .CreateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateEvmAccountWithResponse (ctx Context , params *openapi .CreateEvmAccountParams , body openapi .CreateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateEvmSmartAccountWithBodyWithResponse (ctx Context , params *openapi .CreateEvmSmartAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateEvmSmartAccountWithResponse (ctx Context , params *openapi .CreateEvmSmartAccountParams , body openapi .CreateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateEvmSwapQuoteWithBodyWithResponse (ctx Context , params *openapi .CreateEvmSwapQuoteParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSwapQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateEvmSwapQuoteWithResponse (ctx Context , params *openapi .CreateEvmSwapQuoteParams , body openapi .CreateEvmSwapQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSwapQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateOnrampOrderWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateOnrampOrderResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateOnrampOrderWithResponse (ctx Context , body openapi .CreateOnrampOrderJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateOnrampOrderResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreatePaymentTransferQuoteWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePaymentTransferQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreatePaymentTransferQuoteWithResponse (ctx Context , body openapi .CreatePaymentTransferQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePaymentTransferQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreatePolicyWithBodyWithResponse (ctx Context , params *openapi .CreatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreatePolicyWithResponse (ctx Context , params *openapi .CreatePolicyParams , body openapi .CreatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateSolanaAccountWithBodyWithResponse (ctx Context , params *openapi .CreateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateSolanaAccountWithResponse (ctx Context , params *openapi .CreateSolanaAccountParams , body openapi .CreateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateSpendPermissionWithBodyWithResponse (ctx Context , address string , params *openapi .CreateSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).CreateSpendPermissionWithResponse (ctx Context , address string , params *openapi .CreateSpendPermissionParams , body openapi .CreateSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).DeletePolicyWithResponse (ctx Context , policyId string , params *openapi .DeletePolicyParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .DeletePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExecutePaymentTransferQuoteWithResponse (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExecutePaymentTransferQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportEvmAccountByNameWithBodyWithResponse (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportEvmAccountByNameWithResponse (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , body openapi .ExportEvmAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportEvmAccountWithBodyWithResponse (ctx Context , address string , params *openapi .ExportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportEvmAccountWithResponse (ctx Context , address string , params *openapi .ExportEvmAccountParams , body openapi .ExportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportSolanaAccountByNameWithBodyWithResponse (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportSolanaAccountByNameWithResponse (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , body openapi .ExportSolanaAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportSolanaAccountWithBodyWithResponse (ctx Context , address string , params *openapi .ExportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ExportSolanaAccountWithResponse (ctx Context , address string , params *openapi .ExportSolanaAccountParams , body openapi .ExportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetCryptoRailsWithResponse (ctx Context , params *openapi .GetCryptoRailsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetCryptoRailsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetEvmAccountByNameWithResponse (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetEvmAccountWithResponse (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetEvmSmartAccountByNameWithResponse (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmSmartAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetEvmSmartAccountWithResponse (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetEvmSwapPriceWithResponse (ctx Context , params *openapi .GetEvmSwapPriceParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmSwapPriceResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetOnrampOrderByIdWithResponse (ctx Context , orderId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetOnrampOrderByIdResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetPaymentMethodsWithResponse (ctx Context , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetPaymentMethodsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetPaymentTransferWithResponse (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetPaymentTransferResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetPolicyByIdWithResponse (ctx Context , policyId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetPolicyByIdResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetSolanaAccountByNameWithResponse (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetSolanaAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetSolanaAccountWithResponse (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).GetUserOperationWithResponse (ctx Context , address string , userOpHash string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ImportEvmAccountWithBodyWithResponse (ctx Context , params *openapi .ImportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ImportEvmAccountWithResponse (ctx Context , params *openapi .ImportEvmAccountParams , body openapi .ImportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ImportSolanaAccountWithBodyWithResponse (ctx Context , params *openapi .ImportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ImportSolanaAccountWithResponse (ctx Context , params *openapi .ImportSolanaAccountParams , body openapi .ImportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListDataTokenBalancesWithResponse (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListDataTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListDataTokenBalancesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListEvmAccountsWithResponse (ctx Context , params *openapi .ListEvmAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListEvmAccountsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListEvmSmartAccountsWithResponse (ctx Context , params *openapi .ListEvmSmartAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListEvmSmartAccountsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListEvmTokenBalancesWithResponse (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListEvmTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListEvmTokenBalancesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListPoliciesWithResponse (ctx Context , params *openapi .ListPoliciesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListPoliciesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListSolanaAccountsWithResponse (ctx Context , params *openapi .ListSolanaAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListSolanaAccountsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListSolanaTokenBalancesWithResponse (ctx Context , network openapi .ListSolanaTokenBalancesNetwork , address string , params *openapi .ListSolanaTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListSolanaTokenBalancesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListSpendPermissionsWithResponse (ctx Context , address string , params *openapi .ListSpendPermissionsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListSpendPermissionsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).ListTokensForAccountWithResponse (ctx Context , network openapi .ListTokensForAccountParamsNetwork , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListTokensForAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).PrepareUserOperationWithBodyWithResponse (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .PrepareUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).PrepareUserOperationWithResponse (ctx Context , address string , body openapi .PrepareUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .PrepareUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RequestEvmFaucetWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestEvmFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RequestEvmFaucetWithResponse (ctx Context , body openapi .RequestEvmFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestEvmFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RequestSolanaFaucetWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestSolanaFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RequestSolanaFaucetWithResponse (ctx Context , body openapi .RequestSolanaFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestSolanaFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RevokeSpendPermissionWithBodyWithResponse (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RevokeSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RevokeSpendPermissionWithResponse (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , body openapi .RevokeSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RevokeSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RunSQLQueryWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RunSQLQueryResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).RunSQLQueryWithResponse (ctx Context , body openapi .RunSQLQueryJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RunSQLQueryResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SendEvmTransactionWithBodyWithResponse (ctx Context , address string , params *openapi .SendEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SendEvmTransactionWithResponse (ctx Context , address string , params *openapi .SendEvmTransactionParams , body openapi .SendEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SendSolanaTransactionWithBodyWithResponse (ctx Context , params *openapi .SendSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SendSolanaTransactionWithResponse (ctx Context , params *openapi .SendSolanaTransactionParams , body openapi .SendSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SendUserOperationWithBodyWithResponse (ctx Context , address string , userOpHash string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SendUserOperationWithResponse (ctx Context , address string , userOpHash string , body openapi .SendUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmHashWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmHashParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmHashResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmHashWithResponse (ctx Context , address string , params *openapi .SignEvmHashParams , body openapi .SignEvmHashJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmHashResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmMessageWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmMessageWithResponse (ctx Context , address string , params *openapi .SignEvmMessageParams , body openapi .SignEvmMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmTransactionWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmTransactionWithResponse (ctx Context , address string , params *openapi .SignEvmTransactionParams , body openapi .SignEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmTypedDataWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmTypedDataParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTypedDataResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignEvmTypedDataWithResponse (ctx Context , address string , params *openapi .SignEvmTypedDataParams , body openapi .SignEvmTypedDataJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTypedDataResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignSolanaMessageWithBodyWithResponse (ctx Context , address string , params *openapi .SignSolanaMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignSolanaMessageWithResponse (ctx Context , address string , params *openapi .SignSolanaMessageParams , body openapi .SignSolanaMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignSolanaTransactionWithBodyWithResponse (ctx Context , address string , params *openapi .SignSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).SignSolanaTransactionWithResponse (ctx Context , address string , params *openapi .SignSolanaTransactionParams , body openapi .SignSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdateEvmAccountWithBodyWithResponse (ctx Context , address string , params *openapi .UpdateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdateEvmAccountWithResponse (ctx Context , address string , params *openapi .UpdateEvmAccountParams , body openapi .UpdateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdateEvmSmartAccountWithBodyWithResponse (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdateEvmSmartAccountWithResponse (ctx Context , address string , body openapi .UpdateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdatePolicyWithBodyWithResponse (ctx Context , policyId string , params *openapi .UpdatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdatePolicyWithResponse (ctx Context , policyId string , params *openapi .UpdatePolicyParams , body openapi .UpdatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdateSolanaAccountWithBodyWithResponse (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.(*ClientWithResponses ).UpdateSolanaAccountWithResponse (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , body openapi .UpdateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateEvmAccountWithBodyWithResponse (ctx Context , params *openapi .CreateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateEvmAccountWithResponse (ctx Context , params *openapi .CreateEvmAccountParams , body openapi .CreateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateEvmSmartAccountWithBodyWithResponse (ctx Context , params *openapi .CreateEvmSmartAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateEvmSmartAccountWithResponse (ctx Context , params *openapi .CreateEvmSmartAccountParams , body openapi .CreateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateEvmSwapQuoteWithBodyWithResponse (ctx Context , params *openapi .CreateEvmSwapQuoteParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSwapQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateEvmSwapQuoteWithResponse (ctx Context , params *openapi .CreateEvmSwapQuoteParams , body openapi .CreateEvmSwapQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateEvmSwapQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateOnrampOrderWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateOnrampOrderResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateOnrampOrderWithResponse (ctx Context , body openapi .CreateOnrampOrderJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateOnrampOrderResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreatePaymentTransferQuoteWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePaymentTransferQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreatePaymentTransferQuoteWithResponse (ctx Context , body openapi .CreatePaymentTransferQuoteJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePaymentTransferQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreatePolicyWithBodyWithResponse (ctx Context , params *openapi .CreatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreatePolicyWithResponse (ctx Context , params *openapi .CreatePolicyParams , body openapi .CreatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateSolanaAccountWithBodyWithResponse (ctx Context , params *openapi .CreateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateSolanaAccountWithResponse (ctx Context , params *openapi .CreateSolanaAccountParams , body openapi .CreateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateSpendPermissionWithBodyWithResponse (ctx Context , address string , params *openapi .CreateSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .CreateSpendPermissionWithResponse (ctx Context , address string , params *openapi .CreateSpendPermissionParams , body openapi .CreateSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .CreateSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .DeletePolicyWithResponse (ctx Context , policyId string , params *openapi .DeletePolicyParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .DeletePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExecutePaymentTransferQuoteWithResponse (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExecutePaymentTransferQuoteResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportEvmAccountByNameWithBodyWithResponse (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportEvmAccountByNameWithResponse (ctx Context , name string , params *openapi .ExportEvmAccountByNameParams , body openapi .ExportEvmAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportEvmAccountWithBodyWithResponse (ctx Context , address string , params *openapi .ExportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportEvmAccountWithResponse (ctx Context , address string , params *openapi .ExportEvmAccountParams , body openapi .ExportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportSolanaAccountByNameWithBodyWithResponse (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportSolanaAccountByNameWithResponse (ctx Context , name string , params *openapi .ExportSolanaAccountByNameParams , body openapi .ExportSolanaAccountByNameJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportSolanaAccountWithBodyWithResponse (ctx Context , address string , params *openapi .ExportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ExportSolanaAccountWithResponse (ctx Context , address string , params *openapi .ExportSolanaAccountParams , body openapi .ExportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ExportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetCryptoRailsWithResponse (ctx Context , params *openapi .GetCryptoRailsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetCryptoRailsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetEvmAccountByNameWithResponse (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetEvmAccountWithResponse (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetEvmSmartAccountByNameWithResponse (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmSmartAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetEvmSmartAccountWithResponse (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetEvmSwapPriceWithResponse (ctx Context , params *openapi .GetEvmSwapPriceParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetEvmSwapPriceResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetOnrampOrderByIdWithResponse (ctx Context , orderId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetOnrampOrderByIdResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetPaymentMethodsWithResponse (ctx Context , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetPaymentMethodsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetPaymentTransferWithResponse (ctx Context , transferId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetPaymentTransferResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetPolicyByIdWithResponse (ctx Context , policyId string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetPolicyByIdResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetSolanaAccountByNameWithResponse (ctx Context , name string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetSolanaAccountByNameResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetSolanaAccountWithResponse (ctx Context , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .GetUserOperationWithResponse (ctx Context , address string , userOpHash string , reqEditors ...openapi .RequestEditorFn ) (*openapi .GetUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ImportEvmAccountWithBodyWithResponse (ctx Context , params *openapi .ImportEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ImportEvmAccountWithResponse (ctx Context , params *openapi .ImportEvmAccountParams , body openapi .ImportEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ImportSolanaAccountWithBodyWithResponse (ctx Context , params *openapi .ImportSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ImportSolanaAccountWithResponse (ctx Context , params *openapi .ImportSolanaAccountParams , body openapi .ImportSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .ImportSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListDataTokenBalancesWithResponse (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListDataTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListDataTokenBalancesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListEvmAccountsWithResponse (ctx Context , params *openapi .ListEvmAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListEvmAccountsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListEvmSmartAccountsWithResponse (ctx Context , params *openapi .ListEvmSmartAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListEvmSmartAccountsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListEvmTokenBalancesWithResponse (ctx Context , network openapi .ListEvmTokenBalancesNetwork , address string , params *openapi .ListEvmTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListEvmTokenBalancesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListPoliciesWithResponse (ctx Context , params *openapi .ListPoliciesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListPoliciesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListSolanaAccountsWithResponse (ctx Context , params *openapi .ListSolanaAccountsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListSolanaAccountsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListSolanaTokenBalancesWithResponse (ctx Context , network openapi .ListSolanaTokenBalancesNetwork , address string , params *openapi .ListSolanaTokenBalancesParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListSolanaTokenBalancesResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListSpendPermissionsWithResponse (ctx Context , address string , params *openapi .ListSpendPermissionsParams , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListSpendPermissionsResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .ListTokensForAccountWithResponse (ctx Context , network openapi .ListTokensForAccountParamsNetwork , address string , reqEditors ...openapi .RequestEditorFn ) (*openapi .ListTokensForAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .PrepareUserOperationWithBodyWithResponse (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .PrepareUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .PrepareUserOperationWithResponse (ctx Context , address string , body openapi .PrepareUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .PrepareUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RequestEvmFaucetWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestEvmFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RequestEvmFaucetWithResponse (ctx Context , body openapi .RequestEvmFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestEvmFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RequestSolanaFaucetWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestSolanaFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RequestSolanaFaucetWithResponse (ctx Context , body openapi .RequestSolanaFaucetJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RequestSolanaFaucetResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RevokeSpendPermissionWithBodyWithResponse (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RevokeSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RevokeSpendPermissionWithResponse (ctx Context , address string , params *openapi .RevokeSpendPermissionParams , body openapi .RevokeSpendPermissionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RevokeSpendPermissionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RunSQLQueryWithBodyWithResponse (ctx Context , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .RunSQLQueryResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .RunSQLQueryWithResponse (ctx Context , body openapi .RunSQLQueryJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .RunSQLQueryResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SendEvmTransactionWithBodyWithResponse (ctx Context , address string , params *openapi .SendEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SendEvmTransactionWithResponse (ctx Context , address string , params *openapi .SendEvmTransactionParams , body openapi .SendEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SendSolanaTransactionWithBodyWithResponse (ctx Context , params *openapi .SendSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SendSolanaTransactionWithResponse (ctx Context , params *openapi .SendSolanaTransactionParams , body openapi .SendSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SendUserOperationWithBodyWithResponse (ctx Context , address string , userOpHash string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SendUserOperationWithResponse (ctx Context , address string , userOpHash string , body openapi .SendUserOperationJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SendUserOperationResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmHashWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmHashParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmHashResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmHashWithResponse (ctx Context , address string , params *openapi .SignEvmHashParams , body openapi .SignEvmHashJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmHashResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmMessageWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmMessageWithResponse (ctx Context , address string , params *openapi .SignEvmMessageParams , body openapi .SignEvmMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmTransactionWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmTransactionWithResponse (ctx Context , address string , params *openapi .SignEvmTransactionParams , body openapi .SignEvmTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmTypedDataWithBodyWithResponse (ctx Context , address string , params *openapi .SignEvmTypedDataParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTypedDataResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignEvmTypedDataWithResponse (ctx Context , address string , params *openapi .SignEvmTypedDataParams , body openapi .SignEvmTypedDataJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignEvmTypedDataResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignSolanaMessageWithBodyWithResponse (ctx Context , address string , params *openapi .SignSolanaMessageParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignSolanaMessageWithResponse (ctx Context , address string , params *openapi .SignSolanaMessageParams , body openapi .SignSolanaMessageJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaMessageResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignSolanaTransactionWithBodyWithResponse (ctx Context , address string , params *openapi .SignSolanaTransactionParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .SignSolanaTransactionWithResponse (ctx Context , address string , params *openapi .SignSolanaTransactionParams , body openapi .SignSolanaTransactionJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .SignSolanaTransactionResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdateEvmAccountWithBodyWithResponse (ctx Context , address string , params *openapi .UpdateEvmAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdateEvmAccountWithResponse (ctx Context , address string , params *openapi .UpdateEvmAccountParams , body openapi .UpdateEvmAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdateEvmSmartAccountWithBodyWithResponse (ctx Context , address string , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdateEvmSmartAccountWithResponse (ctx Context , address string , body openapi .UpdateEvmSmartAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateEvmSmartAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdatePolicyWithBodyWithResponse (ctx Context , policyId string , params *openapi .UpdatePolicyParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdatePolicyWithResponse (ctx Context , policyId string , params *openapi .UpdatePolicyParams , body openapi .UpdatePolicyJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdatePolicyResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdateSolanaAccountWithBodyWithResponse (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , contentType string , body io .Reader , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateSolanaAccountResponse , error )
func github.com/coinbase/cdp-sdk/go/openapi.ClientWithResponsesInterface .UpdateSolanaAccountWithResponse (ctx Context , address string , params *openapi .UpdateSolanaAccountParams , body openapi .UpdateSolanaAccountJSONRequestBody , reqEditors ...openapi .RequestEditorFn ) (*openapi .UpdateSolanaAccountResponse , error )
func net.(*Dialer ).DialContext (ctx Context , network, address string ) (net .Conn , error )
func net.(*ListenConfig ).Listen (ctx Context , network, address string ) (net .Listener , error )
func net.(*ListenConfig ).ListenPacket (ctx Context , network, address string ) (net .PacketConn , error )
func net.(*Resolver ).LookupAddr (ctx Context , addr string ) ([]string , error )
func net.(*Resolver ).LookupCNAME (ctx Context , host string ) (string , error )
func net.(*Resolver ).LookupHost (ctx Context , host string ) (addrs []string , err error )
func net.(*Resolver ).LookupIP (ctx Context , network, host string ) ([]net .IP , error )
func net.(*Resolver ).LookupIPAddr (ctx Context , host string ) ([]net .IPAddr , error )
func net.(*Resolver ).LookupMX (ctx Context , name string ) ([]*net .MX , error )
func net.(*Resolver ).LookupNetIP (ctx Context , network, host string ) ([]netip .Addr , error )
func net.(*Resolver ).LookupNS (ctx Context , name string ) ([]*net .NS , error )
func net.(*Resolver ).LookupPort (ctx Context , network, service string ) (port int , err error )
func net.(*Resolver ).LookupSRV (ctx Context , service, proto, name string ) (string , []*net .SRV , error )
func net.(*Resolver ).LookupTXT (ctx Context , name string ) ([]string , error )
func net/http.NewRequestWithContext (ctx Context , method, url string , body io .Reader ) (*http .Request , error )
func net/http.(*Request ).Clone (ctx Context ) *http .Request
func net/http.(*Request ).WithContext (ctx Context ) *http .Request
func net/http.(*Server ).Shutdown (ctx Context ) error
func net/http/httptrace.ContextClientTrace (ctx Context ) *httptrace .ClientTrace
func net/http/httptrace.WithClientTrace (ctx Context , trace *httptrace .ClientTrace ) Context
/* 58+ unexporteds ... */ /* 58+ unexporteds: */
func contextName (c Context ) string
func parentCancelCtx (parent Context ) (*cancelCtx , bool )
func removeChild (parent Context , child canceler )
func value (c Context , key any ) any
func withCancel (parent Context ) *cancelCtx
func crypto/tls.certificateRequestInfoFromMsg (ctx Context , vers uint16 , certReq *tls .certificateRequestMsg ) *tls .CertificateRequestInfo
func crypto/tls.clientHelloInfo (ctx Context , c *tls .Conn , clientHello *tls .clientHelloMsg ) *tls .ClientHelloInfo
func crypto/tls.dial (ctx Context , netDialer *net .Dialer , network, addr string , config *tls .Config ) (*tls .Conn , error )
func crypto/tls.(*Conn ).clientHandshake (ctx Context ) (err error )
func crypto/tls.(*Conn ).handshakeContext (ctx Context ) (ret error )
func crypto/tls.(*Conn ).readClientHello (ctx Context ) (*tls .clientHelloMsg , error )
func crypto/tls.(*Conn ).serverHandshake (ctx Context ) error
func github.com/coinbase/cdp-sdk/go/openapi.(*CDPClient ).applyEditors (ctx Context , req *http .Request , additionalEditors []openapi .RequestEditorFn ) error
func net.acquireThread (ctx Context ) error
func net.cgoLookupCNAME (ctx Context , name string ) (cname string , err error , completed bool )
func net.cgoLookupHost (ctx Context , name string ) (hosts []string , err error )
func net.cgoLookupIP (ctx Context , network, name string ) (addrs []net .IPAddr , err error )
func net.cgoLookupPort (ctx Context , network, service string ) (port int , err error )
func net.cgoLookupPTR (ctx Context , addr string ) (names []string , err error )
func net.doBlockingWithCtx [T](ctx Context , lookupName string , blocking func() (T, error )) (T, error )
func net.internetSocket (ctx Context , net string , laddr, raddr net .sockaddr , sotype, proto int , mode string , ctrlCtxFn func(Context , string , string , syscall .RawConn ) error ) (fd *net .netFD , err error )
func net.lookupProtocol (_ Context , name string ) (int , error )
func net.parseNetwork (ctx Context , network string , needsProto bool ) (afnet string , proto int , err error )
func net.resSearch (ctx Context , hostname string , rtype, class int ) ([]dnsmessage .Resource , error )
func net.socket (ctx Context , net string , family, sotype, proto int , ipv6only bool , laddr, raddr net .sockaddr , ctrlCtxFn func(Context , string , string , syscall .RawConn ) error ) (fd *net .netFD , err error )
func net.unixSocket (ctx Context , net string , laddr, raddr net .sockaddr , mode string , ctxCtrlFn func(Context , string , string , syscall .RawConn ) error ) (*net .netFD , error )
func net.withUnexpiredValuesPreserved (lookupCtx Context ) Context
func net.(*Dialer ).deadline (ctx Context , now time .Time ) (earliest time .Time )
func net.(*Resolver ).dial (ctx Context , network, server string ) (net .Conn , error )
func net.(*Resolver ).exchange (ctx Context , server string , q dnsmessage .Question , timeout time .Duration , useTCP, ad bool ) (dnsmessage .Parser , dnsmessage .Header , error )
func net.(*Resolver ).goLookupCNAME (ctx Context , host string , order net .hostLookupOrder , conf *net .dnsConfig ) (string , error )
func net.(*Resolver ).goLookupHostOrder (ctx Context , name string , order net .hostLookupOrder , conf *net .dnsConfig ) (addrs []string , err error )
func net.(*Resolver ).goLookupIP (ctx Context , network, host string , order net .hostLookupOrder , conf *net .dnsConfig ) (addrs []net .IPAddr , err error )
func net.(*Resolver ).goLookupIPCNAMEOrder (ctx Context , network, name string , order net .hostLookupOrder , conf *net .dnsConfig ) (addrs []net .IPAddr , cname dnsmessage .Name , err error )
func net.(*Resolver ).goLookupMX (ctx Context , name string ) ([]*net .MX , error )
func net.(*Resolver ).goLookupNS (ctx Context , name string ) ([]*net .NS , error )
func net.(*Resolver ).goLookupPTR (ctx Context , addr string , order net .hostLookupOrder , conf *net .dnsConfig ) ([]string , error )
func net.(*Resolver ).goLookupSRV (ctx Context , service, proto, name string ) (target string , srvs []*net .SRV , err error )
func net.(*Resolver ).goLookupTXT (ctx Context , name string ) ([]string , error )
func net.(*Resolver ).internetAddrList (ctx Context , net, addr string ) (net .addrList , error )
func net.(*Resolver ).lookup (ctx Context , name string , qtype dnsmessage .Type , conf *net .dnsConfig ) (dnsmessage .Parser , string , error )
func net.(*Resolver ).lookupAddr (ctx Context , addr string ) ([]string , error )
func net.(*Resolver ).lookupCNAME (ctx Context , name string ) (string , error )
func net.(*Resolver ).lookupHost (ctx Context , host string ) (addrs []string , err error )
func net.(*Resolver ).lookupIP (ctx Context , network, host string ) (addrs []net .IPAddr , err error )
func net.(*Resolver ).lookupIPAddr (ctx Context , network, host string ) ([]net .IPAddr , error )
func net.(*Resolver ).lookupMX (ctx Context , name string ) ([]*net .MX , error )
func net.(*Resolver ).lookupNS (ctx Context , name string ) ([]*net .NS , error )
func net.(*Resolver ).lookupPort (ctx Context , network, service string ) (int , error )
func net.(*Resolver ).lookupSRV (ctx Context , service, proto, name string ) (string , []*net .SRV , error )
func net.(*Resolver ).lookupTXT (ctx Context , name string ) ([]string , error )
func net.(*Resolver ).resolveAddrList (ctx Context , op, network, addr string , hint net .Addr ) (net .addrList , error )
func net.(*Resolver ).tryOneName (ctx Context , cfg *net .dnsConfig , name string , qtype dnsmessage .Type ) (dnsmessage .Parser , string , error )
func net/http.awaitLegacyCancel (ctx Context , cancel CancelCauseFunc , req *http .Request )
func net/http.timeBeforeContextDeadline (t time .Time , ctx Context ) bool
func net/http.(*Transport ).customDialTLS (ctx Context , network, addr string ) (conn net .Conn , err error )
func net/http.(*Transport ).dial (ctx Context , network, addr string ) (net .Conn , error )
func net/http.(*Transport ).dialConn (ctx Context , cm http .connectMethod ) (pconn *http .persistConn , err error )
/* 13 unexporteds ... */ /* 13 unexporteds: */ type cancelCtx (struct)
A cancelCtx can be canceled. When canceled, it also cancels any children
that implement canceler.
Fields (total 6, in which 1 is exported )
Context Context
/* 5 unexporteds ... */ /* 5 unexporteds: */
cause error
// set to non-nil by the first cancel call
children map[canceler ]struct{}
// set to nil by the first cancel call
done atomic .Value
// of chan struct{}, created lazily, closed by first cancel call
err error
// set to non-nil by the first cancel call
mu sync .Mutex
// protects following fields
Methods (total 7, in which 5 are exported )
( cancelCtx) Deadline () (deadline time .Time , ok bool )
Deadline returns the time when work done on behalf of this context
should be canceled. Deadline returns ok==false when no deadline is
set. Successive calls to Deadline return the same results.
(*cancelCtx) Done () <-chan struct{}
(*cancelCtx) Err () error
(*cancelCtx) String () string
(*cancelCtx) Value (key any ) any
/* 2 unexporteds ... */ /* 2 unexporteds: */
(*cancelCtx) cancel (removeFromParent bool , err, cause error )
cancel closes c.done, cancels each of c's children, and, if
removeFromParent is true, removes c from its parent's children.
cancel sets c.cause to cause if this is the first time c is canceled.
(*cancelCtx) propagateCancel (parent Context , child canceler )
propagateCancel arranges for child to be canceled when parent is.
It sets the parent context of cancelCtx.
Implements (at least 5, in which 2 are exported )
*cancelCtx : Context
*cancelCtx : fmt.Stringer
/* 3+ unexporteds ... */ /* 3+ unexporteds: */
*cancelCtx : canceler
*cancelCtx : stringer
*cancelCtx : runtime.stringer
As Outputs Of (at least 2, neither is exported )
/* 2+ unexporteds ... */ /* 2+ unexporteds: */
func parentCancelCtx (parent Context ) (*cancelCtx , bool )
func withCancel (parent Context ) *cancelCtx
type stopCtx (struct)
A stopCtx is used as the parent context of a cancelCtx when
an AfterFunc has been registered with the parent.
It holds the stop function used to unregister the AfterFunc.
Fields (total 2, in which 1 is exported )
Context Context
/* one unexported ... */ /* one unexported: */
stop func() bool
Methods (total 4, all are exported )
( stopCtx) Deadline () (deadline time .Time , ok bool )
Deadline returns the time when work done on behalf of this context
should be canceled. Deadline returns ok==false when no deadline is
set. Successive calls to Deadline return the same results.
( stopCtx) Done () <-chan struct{}
Done returns a channel that's closed when work done on behalf of this
context should be canceled. Done may return nil if this context can
never be canceled. Successive calls to Done return the same value.
The close of the Done channel may happen asynchronously,
after the cancel function returns.
WithCancel arranges for Done to be closed when cancel is called;
WithDeadline arranges for Done to be closed when the deadline
expires; WithTimeout arranges for Done to be closed when the timeout
elapses.
Done is provided for use in select statements:
// Stream generates values with DoSomething and sends them to out
// until DoSomething returns an error or ctx.Done is closed.
func Stream(ctx context.Context, out chan<- Value) error {
for {
v, err := DoSomething(ctx)
if err != nil {
return err
}
select {
case <-ctx.Done():
return ctx.Err()
case out <- v:
}
}
}
See https://blog.golang.org/pipelines for more examples of how to use
a Done channel for cancellation.
( stopCtx) Err () error
If Done is not yet closed, Err returns nil.
If Done is closed, Err returns a non-nil error explaining why:
Canceled if the context was canceled
or DeadlineExceeded if the context's deadline passed.
After Err returns a non-nil error, successive calls to Err return the same error.
( stopCtx) Value (key any ) any
Value returns the value associated with this context for key, or nil
if no value is associated with key. Successive calls to Value with
the same key returns the same result.
Use context values only for request-scoped data that transits
processes and API boundaries, not for passing optional parameters to
functions.
A key identifies a specific value in a Context. Functions that wish
to store values in Context typically allocate a key in a global
variable then use that key as the argument to context.WithValue and
Context.Value. A key can be any type that supports equality;
packages should define keys as an unexported type to avoid
collisions.
Packages that define a Context key should provide type-safe accessors
for the values stored using that key:
// Package user defines a User type that's stored in Contexts.
package user
import "context"
// User is the type of value stored in the Contexts.
type User struct {...}
// key is an unexported type for keys defined in this package.
// This prevents collisions with keys defined in other packages.
type key int
// userKey is the key for user.User values in Contexts. It is
// unexported; clients use user.NewContext and user.FromContext
// instead of using this key directly.
var userKey key
// NewContext returns a new Context that carries value u.
func NewContext(ctx context.Context, u *User) context.Context {
return context.WithValue(ctx, userKey, u)
}
// FromContext returns the User value stored in ctx, if any.
func FromContext(ctx context.Context) (*User, bool) {
u, ok := ctx.Value(userKey).(*User)
return u, ok
}
Implements (at least one exported )
stopCtx : Context
type valueCtx (struct)
A valueCtx carries a key-value pair. It implements Value for that key and
delegates all other calls to the embedded Context.
Fields (total 3, in which 1 is exported )
Context Context
/* 2 unexporteds ... */ /* 2 unexporteds: */
key any
val any
Methods (total 5, all are exported )
( valueCtx) Deadline () (deadline time .Time , ok bool )
Deadline returns the time when work done on behalf of this context
should be canceled. Deadline returns ok==false when no deadline is
set. Successive calls to Deadline return the same results.
( valueCtx) Done () <-chan struct{}
Done returns a channel that's closed when work done on behalf of this
context should be canceled. Done may return nil if this context can
never be canceled. Successive calls to Done return the same value.
The close of the Done channel may happen asynchronously,
after the cancel function returns.
WithCancel arranges for Done to be closed when cancel is called;
WithDeadline arranges for Done to be closed when the deadline
expires; WithTimeout arranges for Done to be closed when the timeout
elapses.
Done is provided for use in select statements:
// Stream generates values with DoSomething and sends them to out
// until DoSomething returns an error or ctx.Done is closed.
func Stream(ctx context.Context, out chan<- Value) error {
for {
v, err := DoSomething(ctx)
if err != nil {
return err
}
select {
case <-ctx.Done():
return ctx.Err()
case out <- v:
}
}
}
See https://blog.golang.org/pipelines for more examples of how to use
a Done channel for cancellation.
( valueCtx) Err () error
If Done is not yet closed, Err returns nil.
If Done is closed, Err returns a non-nil error explaining why:
Canceled if the context was canceled
or DeadlineExceeded if the context's deadline passed.
After Err returns a non-nil error, successive calls to Err return the same error.
(*valueCtx) String () string
(*valueCtx) Value (key any ) any
Implements (at least 4, in which 2 are exported )
*valueCtx : Context
*valueCtx : fmt.Stringer
/* 2+ unexporteds ... */ /* 2+ unexporteds: */
*valueCtx : stringer
*valueCtx : runtime.stringer
The pages are generated with Golds v0.7.6 . (GOOS=linux GOARCH=amd64)
Golds is a Go 101 project developed by Tapir Liu .
PR and bug reports are welcome and can be submitted to the issue list .
Please follow @zigo_101 (reachable from the left QR code) to get the latest news of Golds .