Categorygithub.com/stripe/stripe-go/v81
modulepackage
81.4.0
Repository: https://github.com/stripe/stripe-go.git
Documentation: pkg.go.dev

# README

Go Stripe

Go Reference Build Status

The official Stripe Go client library.

Requirements

  • Go 1.15 or later

Installation

Make sure your project is using Go Modules (it will have a go.mod file in its root if it already is):

go mod init

Then, reference stripe-go in a Go program with import:

import (
	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/customer"
)

Run any of the normal go commands (build/install/test). The Go toolchain will resolve and fetch the stripe-go module automatically.

Alternatively, you can also explicitly go get the package into a project:

go get -u github.com/stripe/stripe-go/v81

Documentation

For a comprehensive list of examples, check out the API documentation.

See video demonstrations covering how to use the library.

For details on all the functionality in this library, see the Go documentation.

Below are a few simple examples:

Customers

params := &stripe.CustomerParams{
	Description:      stripe.String("Stripe Developer"),
	Email:            stripe.String("[email protected]"),
	PreferredLocales: stripe.StringSlice([]string{"en", "es"}),
}

c, err := customer.New(params)

PaymentIntents

params := &stripe.PaymentIntentListParams{
	Customer: stripe.String(customer.ID),
}

i := paymentintent.List(params)
for i.Next() {
	pi := i.PaymentIntent()
}

if err := i.Err(); err != nil {
	// handle
}

Events

i := event.List(nil)
for i.Next() {
	e := i.Event()

	// access event data via e.GetObjectValue("resource_name_based_on_type", "resource_property_name")
	// alternatively you can access values via e.Data.Object["resource_name_based_on_type"].(map[string]interface{})["resource_property_name"]

	// access previous attributes via e.GetPreviousValue("resource_name_based_on_type", "resource_property_name")
	// alternatively you can access values via e.Data.PrevPreviousAttributes["resource_name_based_on_type"].(map[string]interface{})["resource_property_name"]
}

Alternatively, you can use the event.Data.Raw property to unmarshal to the appropriate struct.

Authentication with Connect

There are two ways of authenticating requests when performing actions on behalf of a connected account, one that uses the Stripe-Account header containing an account's ID, and one that uses the account's keys. Usually the former is the recommended approach. See the documentation for more information.

To use the Stripe-Account approach, use SetStripeAccount() on a ListParams or Params class. For example:

// For a list request
listParams := &stripe.CustomerListParams{}
listParams.SetStripeAccount("acct_123")
// For any other kind of request
params := &stripe.CustomerParams{}
params.SetStripeAccount("acct_123")

To use a key, pass it to API's Init function:


import (
	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/client"
)

stripe := &client.API{}
stripe.Init("access_token", nil)

Google AppEngine

If you're running the client in a Google AppEngine environment, you'll need to create a per-request Stripe client since the http.DefaultClient is not available. Here's a sample handler:

import (
	"fmt"
	"net/http"

	"google.golang.org/appengine"
	"google.golang.org/appengine/urlfetch"

	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/client"
)

func handler(w http.ResponseWriter, r *http.Request) {
	c := appengine.NewContext(r)
	httpClient := urlfetch.Client(c)

	sc := client.New("sk_test_123", stripe.NewBackends(httpClient))

	params := &stripe.CustomerParams{
		Description: stripe.String("Stripe Developer"),
		Email:       stripe.String("[email protected]"),
	}
	customer, err := sc.Customers.New(params)
	if err != nil {
		fmt.Fprintf(w, "Could not create customer: %v", err)
	}
	fmt.Fprintf(w, "Customer created: %v", customer.ID)
}

Usage

While some resources may contain more/less APIs, the following pattern is applied throughout the library for a given $resource$:

Without a Client

If you're only dealing with a single key, you can simply import the packages required for the resources you're interacting with without the need to create a client.

import (
	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/$resource$"
)

// Setup
stripe.Key = "sk_key"

// Set backend (optional, useful for mocking)
// stripe.SetBackend("api", backend)

// Create
resource, err := $resource$.New(&stripe.$Resource$Params{})

// Get
resource, err = $resource$.Get(id, &stripe.$Resource$Params{})

// Update
resource, err = $resource$.Update(id, &stripe.$Resource$Params{})

// Delete
resourceDeleted, err := $resource$.Del(id, &stripe.$Resource$Params{})

// List
i := $resource$.List(&stripe.$Resource$ListParams{})
for i.Next() {
	resource := i.$Resource$()
}

if err := i.Err(); err != nil {
	// handle
}

With a Client

If you're dealing with multiple keys, it is recommended you use client.API. This allows you to create as many clients as needed, each with their own individual key.

import (
	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/client"
)

// Setup
sc := &client.API{}
sc.Init("sk_key", nil) // the second parameter overrides the backends used if needed for mocking

// Create
$resource$, err := sc.$Resource$s.New(&stripe.$Resource$Params{})

// Get
$resource$, err = sc.$Resource$s.Get(id, &stripe.$Resource$Params{})

// Update
$resource$, err = sc.$Resource$s.Update(id, &stripe.$Resource$Params{})

// Delete
$resource$Deleted, err := sc.$Resource$s.Del(id, &stripe.$Resource$Params{})

// List
i := sc.$Resource$s.List(&stripe.$Resource$ListParams{})
for i.Next() {
	$resource$ := i.$Resource$()
}

if err := i.Err(); err != nil {
	// handle
}

Accessing the Last Response

Use LastResponse on any APIResource to look at the API response that generated the current object:

c, err := coupon.New(...)
requestID := coupon.LastResponse.RequestID

Similarly, for List operations, the last response is available on the list object attached to the iterator:

it := coupon.List(...)
for it.Next() {
    // Last response *NOT* on the individual iterator object
    // it.Coupon().LastResponse // wrong

    // But rather on the list object, also accessible through the iterator
    requestID := it.CouponList().LastResponse.RequestID
}

See the definition of APIResponse for available fields.

Note that where API resources are nested in other API resources, only LastResponse on the top-level resource is set.

Automatic Retries

The library automatically retries requests on intermittent failures like on a connection error, timeout, or on certain API responses like a status 409 Conflict. Idempotency keys are always added to requests to make any such subsequent retries safe.

By default, it will perform up to two retries. That number can be configured with MaxNetworkRetries:

import (
	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/client"
)

config := &stripe.BackendConfig{
    MaxNetworkRetries: stripe.Int64(0), // Zero retries
}

sc := &client.API{}
sc.Init("sk_key", &stripe.Backends{
    API:     stripe.GetBackendWithConfig(stripe.APIBackend, config),
    Uploads: stripe.GetBackendWithConfig(stripe.UploadsBackend, config),
})

coupon, err := sc.Coupons.New(...)

Configuring Logging

By default, the library logs error messages only (which are sent to stderr). Configure default logging using the global DefaultLeveledLogger variable:

stripe.DefaultLeveledLogger = &stripe.LeveledLogger{
    Level: stripe.LevelInfo,
}

Or on a per-backend basis:

config := &stripe.BackendConfig{
    LeveledLogger: &stripe.LeveledLogger{
        Level: stripe.LevelInfo,
    },
}

It's possible to use non-Stripe leveled loggers as well. Stripe expects loggers to comply to the following interface:

type LeveledLoggerInterface interface {
	Debugf(format string, v ...interface{})
	Errorf(format string, v ...interface{})
	Infof(format string, v ...interface{})
	Warnf(format string, v ...interface{})
}

Some loggers like Logrus and Zap's SugaredLogger support this interface out-of-the-box so it's possible to set DefaultLeveledLogger to a *logrus.Logger or *zap.SugaredLogger directly. For others it may be necessary to write a thin shim layer to support them.

Expanding Objects

All expandable objects in stripe-go take the form of a full resource struct, but unless expansion is requested, only the ID field of that struct is populated. Expansion is requested by calling AddExpand on parameter structs. For example:

//
// *Without* expansion
//
c, _ := charge.Get("ch_123", nil)

c.Customer.ID    // Only ID is populated
c.Customer.Name  // All other fields are always empty

//
// With expansion
//
p := &stripe.ChargeParams{}
p.AddExpand("customer")
c, _ = charge.Get("ch_123", p)

c.Customer.ID    // ID is still available
c.Customer.Name  // Name is now also available (if it had a value)

How to use undocumented parameters and properties

stripe-go is a typed library and it supports all public properties or parameters.

Stripe sometimes launches private beta features which introduce new properties or parameters that are not immediately public. These will not have typed accessors in the stripe-go library but can still be used.

Parameters

To pass undocumented parameters to Stripe using stripe-go you need to use the AddExtra() method, as shown below:


	params := &stripe.CustomerParams{
		Email: stripe.String("[email protected]")
	}

	params.AddExtra("secret_feature_enabled", "true")
	params.AddExtra("secret_parameter[primary]","primary value")
	params.AddExtra("secret_parameter[secondary]","secondary value")

	customer, err := customer.Create(params)

Properties

You can access undocumented properties returned by Stripe by querying the raw response JSON object. An example of this is shown below:

customer, _ = customer.Get("cus_1234", nil);

var rawData map[string]interface{}
_ = json.Unmarshal(customer.LastResponse.RawJSON, &rawData)

secret_feature_enabled, _ := string(rawData["secret_feature_enabled"].(bool))

secret_parameter, ok := rawData["secret_parameter"].(map[string]interface{})
if ok {
	primary := secret_parameter["primary"].(string)
	secondary := secret_parameter["secondary"].(string)
}

Webhook signing

Stripe can optionally sign the webhook events it sends to your endpoint, allowing you to validate that they were not sent by a third-party. You can read more about it here.

Testing Webhook signing

You can use stripe.webhook.GenerateTestSignedPayload to mock webhook events that come from Stripe:

payload := map[string]interface{}{
	"id":          "evt_test_webhook",
	"object":      "event",
	"api_version": stripe.APIVersion,
}
testSecret := "whsec_test_secret"

payloadBytes, err := json.Marshal(payload)

signedPayload := webhook.GenerateTestSignedPayload(&webhook.UnsignedPayload{Payload: payloadBytes, Secret: testSecret})
event, err := webhook.ConstructEvent(signedPayload.Payload, signedPayload.Header, signedPayload.Secret)

if event.ID == payload["id"] {
	// Do something with the mocked signed event
} else {
	// Handle invalid event payload
}

Writing a Plugin

If you're writing a plugin that uses the library, we'd appreciate it if you identified using stripe.SetAppInfo:

stripe.SetAppInfo(&stripe.AppInfo{
	Name:    "MyAwesomePlugin",
	URL:     "https://myawesomeplugin.info",
	Version: "1.2.34",
})

This information is passed along when the library makes calls to the Stripe API. Note that while Name is always required, URL and Version are optional.

Telemetry

By default, the library sends telemetry to Stripe regarding request latency and feature usage. These numbers help Stripe improve the overall latency of its API for all users, and improve popular features.

You can disable this behavior if you prefer:

config := &stripe.BackendConfig{
	EnableTelemetry: stripe.Bool(false),
}

Mocking clients for unit tests

To mock a Stripe client for a unit tests using GoMock:

  1. Generate a Backend type mock.
mockgen -destination=mocks/backend.go -package=mocks github.com/stripe/stripe-go/v81 Backend
  1. Use the Backend mock to initialize and call methods on the client.

import (
	"example/hello/mocks"
	"testing"

	"github.com/golang/mock/gomock"
	"github.com/stretchr/testify/assert"
	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/account"
)

func UseMockedStripeClient(t *testing.T) {
	// Create a mock controller
	mockCtrl := gomock.NewController(t)
	defer mockCtrl.Finish()
	// Create a mock stripe backend
	mockBackend := mocks.NewMockBackend(mockCtrl)
	client := account.Client{B: mockBackend, Key: "key_123"}

	// Set up a mock call
	mockBackend.EXPECT().Call("GET", "/v1/accounts/acc_123", gomock.Any(), gomock.Any(), gomock.Any()).
		// Return nil error
		Return(nil).
		Do(func(method string, path string, key string, params stripe.ParamsContainer, v *stripe.Account) {
			// Set the return value for the method
			*v = stripe.Account{
				ID: "acc_123",
			}
		}).Times(1)

	// Call the client method
	acc, _ := client.GetByID("acc_123", nil)

	// Asset the result
	assert.Equal(t, acc.ID, "acc_123")
}

Beta SDKs

Stripe has features in the beta phase that can be accessed via the beta version of this package. We would love for you to try these and share feedback with us before these features reach the stable phase. To install a beta version of stripe-go use the commit notation of the go get command to point to a beta tag:

go get -u github.com/stripe/stripe-go/v81@beta

Note There can be breaking changes between beta versions.

We highly recommend keeping an eye on when the beta feature you are interested in goes from beta to stable so that you can move from using a beta version of the SDK to the stable version.

If your beta feature requires a Stripe-Version header to be sent, set the stripe.APIVersion field using the stripe.AddBetaVersion function to set it:

Note The APIVersion can only be set in beta versions of the library.

stripe.AddBetaVersion("feature_beta", "v3")

Custom Request

If you would like to send a request to an API that is:

  • not yet supported in stripe-go (like any /v2/... endpoints), or
  • undocumented (like a private beta), or
  • public, but you prefer to bypass the method definitions in the library and specify your request details directly

You can use the rawrequest package:

import (
	"encoding/json"
	"fmt"

	"github.com/stripe/stripe-go/v81"
	"github.com/stripe/stripe-go/v81/form"
	"github.com/stripe/stripe-go/v81/rawrequest"
)

func make_raw_request() error {
	stripe.Key = "sk_test_123"

	b, err := stripe.GetRawRequestBackend(stripe.APIBackend)
	if err != nil {
		return err
	}

	client := rawrequest.Client{B: b, Key: apiKey}

	payload := map[string]interface{}{
		"event_name": "hotdogs_eaten",
		"payload": map[string]string{
			"value":              "123",
			"stripe_customer_id": "cus_Quq8itmW58RMet",
		},
	}

	// for a v2 request, json encode the payload
	body, err := json.Marshal(payload)
	if err != nil {
		return err
	}

	v2_resp, err := client.RawRequest(http.MethodPost, "/v2/billing/meter_events", string(body), nil)
	if err != nil {
		return err
	}

	var v2_response map[string]interface{}
	err = json.Unmarshal(v2_resp.RawJSON, &v2_response)
	if err != nil {
		return err
	}
	fmt.Printf("%#v\n", v2_response)

	// for a v1 request, form encode the payload
	formValues := &form.Values{}
	form.AppendTo(formValues, payload)
	content := formValues.Encode()

	v1_resp, err := client.RawRequest(http.MethodPost, "/v1/billing/meter_events", content, nil)
	if err != nil {
		return err
	}

	var v1_response map[string]interface{}
	err = json.Unmarshal(v1_resp.RawJSON, &v1_response)
	if err != nil {
		return err
	}
	fmt.Printf("%#v\n", v1_response)

	return nil
}

See more examples in the /example/v2 folder.

Support

New features and bug fixes are released on the latest major version of the Stripe Go client library. If you are on an older major version, we recommend that you upgrade to the latest in order to use the new features and bug fixes including those for security vulnerabilities. Older major versions of the package will continue to be available for use, but will not be receiving any updates.

Development

Pull requests from the community are welcome. If you submit one, please keep the following guidelines in mind:

  1. Code must be go fmt compliant.
  2. All types, structs and funcs should be documented.
  3. Ensure that just test succeeds.

Other contribution guidelines for this project

Test

We use just for conveniently running development tasks. You can use them directly, or copy the commands out of the justfile. To our help docs, run just.

This package depends on stripe-mock, so make sure to fetch and run it from a background terminal (stripe-mock's README also contains instructions for installing via Homebrew and other methods):

go get -u github.com/stripe/stripe-mock
stripe-mock

Run all tests:

just test
# or: go test ./...

Run tests for one package:

just test ./invoice
# or: go test ./invoice

Run a single test:

just test ./invoice -run TestInvoiceGet
# or: go test ./invoice -run TestInvoiceGet

For any requests, bug or comments, please open an issue or submit a pull request.

# Packages

Package account provides the /accounts APIs.
Package accountlink provides the /account_links APIs.
Package accountsession provides the /account_sessions APIs.
Package applepaydomain provides the /apple_pay/domains APIs.
Package applicationfee provides the /application_fees APIs.
Package balance provides the /balance APIs.
Package balancetransaction provides the /balance_transactions APIs.
Package bankaccount provides the bankaccount related APIs.
Package capability provides the /accounts/{account}/capabilities APIs.
Package card provides the card related APIs.
Package cashbalance provides the /customers/{customer}/cash_balance APIs.
Package charge provides the /charges APIs.
Package client provides a Stripe client for invoking APIs across all resources.
Package confirmationtoken provides the /confirmation_tokens APIs.
Package countryspec provides the /country_specs APIs.
Package coupon provides the /coupons APIs.
Package creditnote provides the /credit_notes APIs.
Package customer provides the /customers APIs.
Package customerbalancetransaction provides the /customers/{customer}/balance_transactions APIs.
Package customercashbalancetransaction provides the /customers/{customer}/cash_balance_transactions APIs.
Package customersession provides the /customer_sessions APIs.
Package dispute provides the /disputes APIs.
Package ephemeralkey provides the /ephemeral_keys APIs.
Package event provides the /events APIs.
Package feerefund provides the /application_fees/{id}/refunds APIs.
Package file provides the /files APIs.
Package filelink provides the /file_links APIs.
Package invoice provides the /invoices APIs.
Package invoiceitem provides the /invoiceitems APIs.
Package invoicelineitem provides the /invoices/{invoice}/lines APIs.
Package invoicerenderingtemplate provides the /invoice_rendering_templates APIs.
Package loginlink provides the /accounts/{account}/login_links APIs.
Package mandate provides the /mandates APIs.
Package oauth provides the OAuth APIs.
Package paymentintent provides the /payment_intents APIs.
Package paymentlink provides the /payment_links APIs.
Package paymentmethod provides the /payment_methods APIs.
Package paymentmethodconfiguration provides the /payment_method_configurations APIs.
Package paymentmethoddomain provides the /payment_method_domains APIs.
Package paymentsource provides the /customers/{customer}/sources APIs.
Package payout provides the /payouts APIs.
Package person provides the /accounts/{account}/persons APIs.
Package plan provides the /plans APIs.
Package price provides the /prices APIs.
Package product provides the /products APIs.
Package productfeature provides the /products/{product}/features APIs.
Package promotioncode provides the /promotion_codes APIs.
Package quote provides the /quotes APIs.
Package rawrequest provides sending stripe-flavored untyped HTTP calls.
Package refund provides the /refunds APIs.
Package review provides the /reviews APIs.
Package setupattempt provides the /setup_attempts APIs For more details, see: https://stripe.com/docs/api/?lang=go#setup_attempts.
Package setupintent provides the /setup_intents APIs.
Package shippingrate provides the /shipping_rates APIs.
Package source provides the /sources APIs.
Package sourcetransaction provides the sourcetransaction related APIs.
Package subscription provides the /subscriptions APIs.
Package subscriptionitem provides the /subscription_items APIs.
Package subscriptionschedule provides the /subscription_schedules APIs.
Package taxcode provides the /tax_codes APIs.
Package taxid provides the /tax_ids APIs.
Package taxrate provides the /tax_rates APIs.
Package token provides the /tokens APIs.
Package topup provides the /topups APIs.
Package transfer provides the /transfers APIs.
Package transferreversal provides the /transfers/{id}/reversals APIs.
Package usagerecord provides the /subscription_items/{subscription_item}/usage_records APIs.
Package usagerecordsummary provides the /subscription_items/{subscription_item}/usage_record_summaries APIs.
Package webhookendpoint provides the /webhook_endpoints APIs.

# Functions

Bool returns a pointer to the bool value passed in.
BoolSlice returns a slice of bool pointers given a slice of bools.
BoolValue returns the value of the bool pointer passed in or false if the pointer is nil.
Float64 returns a pointer to the float64 value passed in.
Float64Slice returns a slice of float64 pointers given a slice of float64s.
Float64Value returns the value of the float64 pointer passed in or 0 if the pointer is nil.
FormatURLPath takes a format string (of the kind used in the fmt package) representing a URL path with a number of parameters that belong in the path and returns a formatted string.
GetBackend returns one of the library's supported backends based off of the given argument.
GetBackendWithConfig is the same as GetBackend except that it can be given a configuration struct that will configure certain aspects of the backend that's return.
GetIter returns a new Iter for a given query and its options.
GetSearchIter returns a new SearchIter for a given query and its options.
Int64 returns a pointer to the int64 value passed in.
Int64Slice returns a slice of int64 pointers given a slice of int64s.
Int64Value returns the value of the int64 pointer passed in or 0 if the pointer is nil.
NewBackends creates a new set of backends with the given HTTP client.
NewBackendsWithConfig creates a new set of backends with the given config for all backends.
NewIdempotencyKey generates a new idempotency key that can be used on a request.
ParseID attempts to parse a string scalar from a given JSON value which is still encoded as []byte.
SetAppInfo sets app information.
SetBackend sets the backend used in the binding.
SetHTTPClient overrides the default HTTP client.
SourceParamsFor creates PaymentSourceSourceParams objects around supported payment sources, returning errors if not.
String returns a pointer to the string value passed in.
StringSlice returns a slice of string pointers given a slice of strings.
StringValue returns the value of the string pointer passed in or "" if the pointer is nil.

# Constants

List of values that AccountBusinessType can take.
List of values that AccountBusinessType can take.
List of values that AccountBusinessType can take.
List of values that AccountBusinessType can take.
List of values that AccountCapabilityStatus can take.
List of values that AccountCapabilityStatus can take.
List of values that AccountCapabilityStatus can take.
List of values that AccountCompanyOwnershipExemptionReason can take.
List of values that AccountCompanyOwnershipExemptionReason can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyStructure can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountCompanyVerificationDocumentDetailsCode can take.
List of values that AccountControllerFeesPayer can take.
List of values that AccountControllerFeesPayer can take.
List of values that AccountControllerFeesPayer can take.
List of values that AccountControllerFeesPayer can take.
List of values that AccountControllerLossesPayments can take.
List of values that AccountControllerLossesPayments can take.
List of values that AccountControllerRequirementCollection can take.
List of values that AccountControllerRequirementCollection can take.
List of values that AccountControllerStripeDashboardType can take.
List of values that AccountControllerStripeDashboardType can take.
List of values that AccountControllerStripeDashboardType can take.
List of values that AccountControllerType can take.
List of values that AccountControllerType can take.
List of values that AccountExternalAccountType can take.
List of values that AccountExternalAccountType can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountFutureRequirementsDisabledReason can take.
List of values that AccountLinkCollect can take.
List of values that AccountLinkCollect can take.
List of values that AccountLinkType can take.
List of values that AccountLinkType can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountRequirementsDisabledReason can take.
List of values that AccountSettingsPayoutsScheduleInterval can take.
List of values that AccountSettingsPayoutsScheduleInterval can take.
List of values that AccountSettingsPayoutsScheduleInterval can take.
List of values that AccountSettingsPayoutsScheduleInterval can take.
List of values that AccountTOSAcceptanceServiceAgreement can take.
List of values that AccountTOSAcceptanceServiceAgreement can take.
List of values that AccountType can take.
List of values that AccountType can take.
List of values that AccountType can take.
List of values that AccountType can take.
APIBackend is a constant representing the API service backend.
APIURL is the URL of the API service backend.
APIVersion is the currently supported API version.
List of values that ApplicationFeeFeeSourceType can take.
List of values that ApplicationFeeFeeSourceType can take.
List of values that AppsSecretScopeType can take.
List of values that AppsSecretScopeType can take.
List of values that BalanceSourceType can take.
List of values that BalanceSourceType can take.
List of values that BalanceSourceType can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionReportingCategory can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionSourceType can take.
List of values that BalanceTransactionStatus can take.
List of values that BalanceTransactionStatus can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BalanceTransactionType can take.
List of values that BankAccountAccountHolderType can take.
List of values that BankAccountAccountHolderType can take.
List of values that BankAccountAvailablePayoutMethod can take.
List of values that BankAccountAvailablePayoutMethod can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountFutureRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountRequirementsErrorCode can take.
List of values that BankAccountStatus can take.
List of values that BankAccountStatus can take.
List of values that BankAccountStatus can take.
List of values that BankAccountStatus can take.
List of values that BankAccountStatus can take.
List of values that BillingAlertAlertType can take.
List of values that BillingAlertStatus can take.
List of values that BillingAlertStatus can take.
List of values that BillingAlertStatus can take.
List of values that BillingAlertUsageThresholdFilterType can take.
List of values that BillingAlertUsageThresholdRecurrence can take.
List of values that BillingCreditBalanceSummaryBalanceAvailableBalanceType can take.
List of values that BillingCreditBalanceSummaryBalanceLedgerBalanceType can take.
List of values that BillingCreditBalanceTransactionCreditAmountType can take.
List of values that BillingCreditBalanceTransactionCreditType can take.
List of values that BillingCreditBalanceTransactionCreditType can take.
List of values that BillingCreditBalanceTransactionDebitAmountType can take.
List of values that BillingCreditBalanceTransactionDebitType can take.
List of values that BillingCreditBalanceTransactionDebitType can take.
List of values that BillingCreditBalanceTransactionDebitType can take.
List of values that BillingCreditBalanceTransactionType can take.
List of values that BillingCreditBalanceTransactionType can take.
List of values that BillingCreditGrantAmountType can take.
List of values that BillingCreditGrantApplicabilityConfigScopePriceType can take.
List of values that BillingCreditGrantCategory can take.
List of values that BillingCreditGrantCategory can take.
List of values that BillingMeterCustomerMappingType can take.
List of values that BillingMeterDefaultAggregationFormula can take.
List of values that BillingMeterDefaultAggregationFormula can take.
List of values that BillingMeterEventAdjustmentStatus can take.
List of values that BillingMeterEventAdjustmentStatus can take.
List of values that BillingMeterEventAdjustmentType can take.
List of values that BillingMeterEventTimeWindow can take.
List of values that BillingMeterEventTimeWindow can take.
List of values that BillingMeterStatus can take.
List of values that BillingMeterStatus can take.
List of values that BillingPortalConfigurationFeaturesCustomerUpdateAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesCustomerUpdateAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesCustomerUpdateAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesCustomerUpdateAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesCustomerUpdateAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesCustomerUpdateAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelCancellationReasonOption can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelMode can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelMode can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelProrationBehavior can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelProrationBehavior can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionCancelProrationBehavior can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateDefaultAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateDefaultAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateDefaultAllowedUpdate can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateProrationBehavior can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateProrationBehavior can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateProrationBehavior can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateScheduleAtPeriodEndConditionType can take.
List of values that BillingPortalConfigurationFeaturesSubscriptionUpdateScheduleAtPeriodEndConditionType can take.
List of values that BillingPortalSessionFlowAfterCompletionType can take.
List of values that BillingPortalSessionFlowAfterCompletionType can take.
List of values that BillingPortalSessionFlowAfterCompletionType can take.
List of values that BillingPortalSessionFlowSubscriptionCancelRetentionType can take.
List of values that BillingPortalSessionFlowType can take.
List of values that BillingPortalSessionFlowType can take.
List of values that BillingPortalSessionFlowType can take.
List of values that BillingPortalSessionFlowType can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityFutureRequirementsDisabledReason can take.
List of values that CapabilityStatus can take.
List of values that CapabilityStatus can take.
List of values that CapabilityStatus can take.
List of values that CapabilityStatus can take.
List of values that CapabilityStatus can take.
List of values that CardAddressLine1Check can take.
List of values that CardAddressLine1Check can take.
List of values that CardAddressLine1Check can take.
List of values that CardAddressLine1Check can take.
List of values that CardAddressZipCheck can take.
List of values that CardAddressZipCheck can take.
List of values that CardAddressZipCheck can take.
List of values that CardAddressZipCheck can take.
List of values that CardAllowRedisplay can take.
List of values that CardAllowRedisplay can take.
List of values that CardAllowRedisplay can take.
List of values that CardAvailablePayoutMethod can take.
List of values that CardAvailablePayoutMethod can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardBrand can take.
List of values that CardCVCCheck can take.
List of values that CardCVCCheck can take.
List of values that CardCVCCheck can take.
List of values that CardCVCCheck can take.
List of values that CardFunding can take.
List of values that CardFunding can take.
List of values that CardFunding can take.
List of values that CardFunding can take.
List of values that CardRegulatedStatus can take.
List of values that CardRegulatedStatus can take.
List of values that CardTokenizationMethod can take.
List of values that CardTokenizationMethod can take.
List of values that CashBalanceSettingsReconciliationMode can take.
List of values that CashBalanceSettingsReconciliationMode can take.
List of values that ChargeFraudStripeReport can take.
List of values that ChargeFraudUserReport can take.
List of values that ChargeFraudUserReport can take.
List of values that ChargeOutcomeAdviceCode can take.
List of values that ChargeOutcomeAdviceCode can take.
List of values that ChargeOutcomeAdviceCode can take.
List of values that ChargePaymentMethodDetailsAmazonPayFundingType can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressLine1Check can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressLine1Check can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressLine1Check can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressLine1Check can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressPostalCodeCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressPostalCodeCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressPostalCodeCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksAddressPostalCodeCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksCVCCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksCVCCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksCVCCheck can take.
List of values that ChargePaymentMethodDetailsCardChecksCVCCheck can take.
List of values that ChargePaymentMethodDetailsCardExtendedAuthorizationStatus can take.
List of values that ChargePaymentMethodDetailsCardExtendedAuthorizationStatus can take.
List of values that ChargePaymentMethodDetailsCardIncrementalAuthorizationStatus can take.
List of values that ChargePaymentMethodDetailsCardIncrementalAuthorizationStatus can take.
List of values that ChargePaymentMethodDetailsCardMulticaptureStatus can take.
List of values that ChargePaymentMethodDetailsCardMulticaptureStatus can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardNetwork can take.
List of values that ChargePaymentMethodDetailsCardOvercaptureStatus can take.
List of values that ChargePaymentMethodDetailsCardOvercaptureStatus can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentNetwork can take.
List of values that ChargePaymentMethodDetailsCardPresentOfflineType can take.
List of values that ChargePaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ChargePaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ChargePaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ChargePaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ChargePaymentMethodDetailsCardPresentWalletType can take.
List of values that ChargePaymentMethodDetailsCardPresentWalletType can take.
List of values that ChargePaymentMethodDetailsCardPresentWalletType can take.
List of values that ChargePaymentMethodDetailsCardPresentWalletType can take.
List of values that ChargePaymentMethodDetailsCardRegulatedStatus can take.
List of values that ChargePaymentMethodDetailsCardRegulatedStatus can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureAuthenticationFlow can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureAuthenticationFlow can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureExemptionIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureExemptionIndicator can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResult can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResult can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResult can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResult can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResult can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResult can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that ChargePaymentMethodDetailsKlarnaPaymentMethodCategory can take.
List of values that ChargePaymentMethodDetailsKlarnaPaymentMethodCategory can take.
List of values that ChargePaymentMethodDetailsKlarnaPaymentMethodCategory can take.
List of values that ChargePaymentMethodDetailsKlarnaPaymentMethodCategory can take.
List of values that ChargePaymentMethodDetailsKonbiniStoreChain can take.
List of values that ChargePaymentMethodDetailsKonbiniStoreChain can take.
List of values that ChargePaymentMethodDetailsKonbiniStoreChain can take.
List of values that ChargePaymentMethodDetailsKonbiniStoreChain can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsKrCardBrand can take.
List of values that ChargePaymentMethodDetailsPaypalSellerProtectionDisputeCategory can take.
List of values that ChargePaymentMethodDetailsPaypalSellerProtectionDisputeCategory can take.
List of values that ChargePaymentMethodDetailsPaypalSellerProtectionStatus can take.
List of values that ChargePaymentMethodDetailsPaypalSellerProtectionStatus can take.
List of values that ChargePaymentMethodDetailsPaypalSellerProtectionStatus can take.
List of values that ChargePaymentMethodDetailsRevolutPayFundingType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsType can take.
List of values that ChargePaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that ChargePaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that ChargePaymentMethodDetailsUSBankAccountAccountType can take.
List of values that ChargePaymentMethodDetailsUSBankAccountAccountType can take.
List of values that ChargeStatus can take.
List of values that ChargeStatus can take.
List of values that ChargeStatus can take.
List of values that CheckoutSessionAutomaticTaxLiabilityType can take.
List of values that CheckoutSessionAutomaticTaxLiabilityType can take.
List of values that CheckoutSessionAutomaticTaxStatus can take.
List of values that CheckoutSessionAutomaticTaxStatus can take.
List of values that CheckoutSessionAutomaticTaxStatus can take.
List of values that CheckoutSessionBillingAddressCollection can take.
List of values that CheckoutSessionBillingAddressCollection can take.
List of values that CheckoutSessionConsentCollectionPaymentMethodReuseAgreementPosition can take.
List of values that CheckoutSessionConsentCollectionPaymentMethodReuseAgreementPosition can take.
List of values that CheckoutSessionConsentCollectionPromotions can take.
List of values that CheckoutSessionConsentCollectionPromotions can take.
List of values that CheckoutSessionConsentCollectionTermsOfService can take.
List of values that CheckoutSessionConsentCollectionTermsOfService can take.
List of values that CheckoutSessionConsentPromotions can take.
List of values that CheckoutSessionConsentPromotions can take.
List of values that CheckoutSessionConsentTermsOfService can take.
List of values that CheckoutSessionCustomerCreation can take.
List of values that CheckoutSessionCustomerCreation can take.
List of values that CheckoutSessionCustomerDetailsTaxExempt can take.
List of values that CheckoutSessionCustomerDetailsTaxExempt can take.
List of values that CheckoutSessionCustomerDetailsTaxExempt can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomerDetailsTaxIDType can take.
List of values that CheckoutSessionCustomFieldLabelType can take.
List of values that CheckoutSessionCustomFieldType can take.
List of values that CheckoutSessionCustomFieldType can take.
List of values that CheckoutSessionCustomFieldType can take.
List of values that CheckoutSessionInvoiceCreationInvoiceDataIssuerType can take.
List of values that CheckoutSessionInvoiceCreationInvoiceDataIssuerType can take.
List of values that CheckoutSessionMode can take.
List of values that CheckoutSessionMode can take.
List of values that CheckoutSessionMode can take.
List of values that CheckoutSessionPaymentMethodCollection can take.
List of values that CheckoutSessionPaymentMethodCollection can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsDefaultFor can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsDefaultFor can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsAffirmSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsAfterpayClearpaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsAlipaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsAmazonPaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsAmazonPaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsAUBECSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBACSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBACSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBACSDebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBancontactSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBoletoSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBoletoSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsBoletoSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestExtendedAuthorization can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestExtendedAuthorization can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestIncrementalAuthorization can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestIncrementalAuthorization can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestMulticapture can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestMulticapture can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestOvercapture can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestOvercapture can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRestrictionsBrandsBlocked can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRestrictionsBrandsBlocked can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRestrictionsBrandsBlocked can take.
List of values that CheckoutSessionPaymentMethodOptionsCardRestrictionsBrandsBlocked can take.
List of values that CheckoutSessionPaymentMethodOptionsCardSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsCardSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsCardSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsCashAppSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceFundingType can take.
List of values that CheckoutSessionPaymentMethodOptionsCustomerBalanceSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsEPSSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsFPXSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsGiropaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsGrabpaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsIDEALSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKakaoPayCaptureMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsKakaoPaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKakaoPaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKlarnaSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKlarnaSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKlarnaSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKonbiniSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKrCardCaptureMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsKrCardSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsKrCardSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsLinkSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsLinkSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsMobilepaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsMultibancoSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsNaverPayCaptureMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsOXXOSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsP24SetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsPaycoCaptureMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsPayNowSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsPaypalCaptureMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsPaypalSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsPaypalSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsRevolutPaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsRevolutPaySetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsSamsungPayCaptureMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsSEPADebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsSEPADebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsSEPADebitSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsSofortSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountSetupFutureUsage can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that CheckoutSessionPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that CheckoutSessionPaymentStatus can take.
List of values that CheckoutSessionPaymentStatus can take.
List of values that CheckoutSessionPaymentStatus can take.
List of values that CheckoutSessionRedirectOnCompletion can take.
List of values that CheckoutSessionRedirectOnCompletion can take.
List of values that CheckoutSessionRedirectOnCompletion can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsAllowRedisplayFilter can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsAllowRedisplayFilter can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsAllowRedisplayFilter can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsPaymentMethodRemove can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsPaymentMethodRemove can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsPaymentMethodSave can take.
List of values that CheckoutSessionSavedPaymentMethodOptionsPaymentMethodSave can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionShippingCostTaxTaxabilityReason can take.
List of values that CheckoutSessionStatus can take.
List of values that CheckoutSessionStatus can take.
List of values that CheckoutSessionStatus can take.
List of values that CheckoutSessionSubmitType can take.
List of values that CheckoutSessionSubmitType can take.
List of values that CheckoutSessionSubmitType can take.
List of values that CheckoutSessionSubmitType can take.
List of values that CheckoutSessionSubmitType can take.
List of values that CheckoutSessionTaxIDCollectionRequired can take.
List of values that CheckoutSessionTaxIDCollectionRequired can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that CheckoutSessionUIMode can take.
List of values that CheckoutSessionUIMode can take.
ClientVersion is the version of the stripe-go library being used.
List of values that ClimateOrderCancellationReason can take.
List of values that ClimateOrderCancellationReason can take.
List of values that ClimateOrderCancellationReason can take.
List of values that ClimateOrderStatus can take.
List of values that ClimateOrderStatus can take.
List of values that ClimateOrderStatus can take.
List of values that ClimateOrderStatus can take.
List of values that ClimateOrderStatus can take.
List of values that ClimateSupplierRemovalPathway can take.
List of values that ClimateSupplierRemovalPathway can take.
List of values that ClimateSupplierRemovalPathway can take.
List of values that ConfirmationTokenPaymentMethodPreviewAllowRedisplay can take.
List of values that ConfirmationTokenPaymentMethodPreviewAllowRedisplay can take.
List of values that ConfirmationTokenPaymentMethodPreviewAllowRedisplay can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentOfflineType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentOfflineType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardPresentWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardRegulatedStatus can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardRegulatedStatus can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewCardWalletType can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewEPSBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXAccountHolderType can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXAccountHolderType can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewFPXBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBank can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewIDEALBIC can take.
List of values that ConfirmationTokenPaymentMethodPreviewInteracPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewInteracPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewInteracPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewInteracPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewInteracPresentReadMethod can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewKrCardBrand can take.
List of values that ConfirmationTokenPaymentMethodPreviewNaverPayFunding can take.
List of values that ConfirmationTokenPaymentMethodPreviewNaverPayFunding can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewP24Bank can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewType can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountAccountHolderType can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountAccountHolderType can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountAccountType can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountAccountType can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountNetworksSupported can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountNetworksSupported can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedReason can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedReason can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedReason can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedReason can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedReason can take.
List of values that ConfirmationTokenPaymentMethodPreviewUSBankAccountStatusDetailsBlockedReason can take.
List of values that ConfirmationTokenSetupFutureUsage can take.
List of values that ConfirmationTokenSetupFutureUsage can take.
ConnectBackend is a constant representing the connect service backend for OAuth.
ConnectURL is the URL for OAuth.
List of values that CouponDuration can take.
List of values that CouponDuration can take.
List of values that CouponDuration can take.
List of values that CreditNoteLineItemPretaxCreditAmountType can take.
List of values that CreditNoteLineItemPretaxCreditAmountType can take.
List of values that CreditNoteLineItemType can take.
List of values that CreditNoteLineItemType can take.
List of values that CreditNotePretaxCreditAmountType can take.
List of values that CreditNotePretaxCreditAmountType can take.
List of values that CreditNoteReason can take.
List of values that CreditNoteReason can take.
List of values that CreditNoteReason can take.
List of values that CreditNoteReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteShippingCostTaxTaxabilityReason can take.
List of values that CreditNoteStatus can take.
List of values that CreditNoteStatus can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteTaxAmountTaxabilityReason can take.
List of values that CreditNoteType can take.
List of values that CreditNoteType can take.
United Arab Emirates Dirham.
Afghan Afghani.
Albanian Lek.
Armenian Dram.
Netherlands Antillean Gulden.
Angolan Kwanza.
Argentine Peso.
Australian Dollar.
Aruban Florin.
Azerbaijani Manat.
Bosnia & Herzegovina Convertible Mark.
Barbadian Dollar.
Bangladeshi Taka.
Bulgarian Lev.
Burundian Franc.
Bermudian Dollar.
Brunei Dollar.
Bolivian Boliviano.
Brazilian Real.
Bahamian Dollar.
Botswana Pula.
Belize Dollar.
Canadian Dollar.
Congolese Franc.
Swiss Franc.
Chilean Peso.
Chinese Renminbi Yuan.
Colombian Peso.
Costa Rican Colón.
Cape Verdean Escudo.
Czech Koruna.
Djiboutian Franc.
Danish Krone.
Dominican Peso.
Algerian Dinar.
Estonian Kroon.
Egyptian Pound.
Ethiopian Birr.
Euro.
Fijian Dollar.
Falkland Islands Pound.
British Pound.
Georgian Lari.
Gibraltar Pound.
Gambian Dalasi.
Guinean Franc.
Guatemalan Quetzal.
Guyanese Dollar.
Hong Kong Dollar.
Honduran Lempira.
Croatian Kuna.
Haitian Gourde.
Hungarian Forint.
Indonesian Rupiah.
Israeli New Sheqel.
Indian Rupee.
Icelandic Króna.
Jamaican Dollar.
Japanese Yen.
Kenyan Shilling.
Kyrgyzstani Som.
Cambodian Riel.
Comorian Franc.
South Korean Won.
Cayman Islands Dollar.
Kazakhstani Tenge.
Lao Kip.
Lebanese Pound.
Sri Lankan Rupee.
Liberian Dollar.
Lesotho Loti.
Lithuanian Litas.
Latvian Lats.
Moroccan Dirham.
Moldovan Leu.
Malagasy Ariary.
Macedonian Denar.
Mongolian Tögrög.
Macanese Pataca.
Mauritanian Ouguiya.
Mauritian Rupee.
Maldivian Rufiyaa.
Malawian Kwacha.
Mexican Peso.
Malaysian Ringgit.
Mozambican Metical.
Namibian Dollar.
Nigerian Naira.
Nicaraguan Córdoba.
Norwegian Krone.
Nepalese Rupee.
New Zealand Dollar.
Panamanian Balboa.
Peruvian Nuevo Sol.
Papua New Guinean Kina.
Philippine Peso.
Pakistani Rupee.
Polish Złoty.
Paraguayan Guaraní.
Qatari Riyal.
Romanian Leu.
Serbian Dinar.
Russian Ruble.
Rwandan Franc.
Saudi Riyal.
Solomon Islands Dollar.
Seychellois Rupee.
Swedish Krona.
Singapore Dollar.
Saint Helenian Pound.
Sierra Leonean Leone.
Somali Shilling.
Surinamese Dollar.
São Tomé and Príncipe Dobra.
Salvadoran Colón.
Swazi Lilangeni.
Thai Baht.
Tajikistani Somoni.
Tongan Paʻanga.
Turkish Lira.
Trinidad and Tobago Dollar.
New Taiwan Dollar.
Tanzanian Shilling.
Ukrainian Hryvnia.
Ugandan Shilling.
United States Dollar.
Uruguayan Peso.
Uzbekistani Som.
Venezuelan Bolívar.
Vietnamese Đồng.
Vanuatu Vatu.
Samoan Tala.
Central African Cfa Franc.
East Caribbean Dollar.
West African Cfa Franc.
Cfp Franc.
Yemeni Rial.
South African Rand.
Zambian Kwacha.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferType can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferType can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferType can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferType can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferType can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferUSBankTransferNetwork can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferUSBankTransferNetwork can take.
List of values that CustomerCashBalanceTransactionFundedBankTransferUSBankTransferNetwork can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerCashBalanceTransactionType can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodAllowRedisplayFilter can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodAllowRedisplayFilter can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodAllowRedisplayFilter can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodRedisplay can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodRedisplay can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodRemove can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodRemove can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodSave can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodSave can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodSaveUsage can take.
List of values that CustomerSessionComponentsPaymentElementFeaturesPaymentMethodSaveUsage can take.
List of values that CustomerTaxAutomaticTax can take.
List of values that CustomerTaxAutomaticTax can take.
List of values that CustomerTaxAutomaticTax can take.
List of values that CustomerTaxAutomaticTax can take.
List of values that CustomerTaxExempt can take.
List of values that CustomerTaxExempt can take.
List of values that CustomerTaxExempt can take.
List of values that CustomerTaxLocationSource can take.
List of values that CustomerTaxLocationSource can take.
List of values that CustomerTaxLocationSource can take.
List of values that CustomerTaxLocationSource can take.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
List of DeclineCode values.
DefaultMaxNetworkRetries is the default maximum number of retries made by a Stripe client.
List of values that DisputeEnhancedEligibilityType can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3RequiredAction can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3RequiredAction can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3RequiredAction can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3RequiredAction can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3RequiredAction can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3Status can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3Status can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaCompellingEvidence3Status can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaComplianceStatus can take.
List of values that DisputeEvidenceDetailsEnhancedEligibilityVisaComplianceStatus can take.
List of values that DisputeEvidenceEnhancedEvidenceVisaCompellingEvidence3DisputedTransactionMerchandiseOrServices can take.
List of values that DisputeEvidenceEnhancedEvidenceVisaCompellingEvidence3DisputedTransactionMerchandiseOrServices can take.
List of values that DisputePaymentMethodDetailsAmazonPayDisputeType can take.
List of values that DisputePaymentMethodDetailsAmazonPayDisputeType can take.
List of values that DisputePaymentMethodDetailsCardCaseType can take.
List of values that DisputePaymentMethodDetailsCardCaseType can take.
List of values that DisputePaymentMethodDetailsType can take.
List of values that DisputePaymentMethodDetailsType can take.
List of values that DisputePaymentMethodDetailsType can take.
List of values that DisputePaymentMethodDetailsType can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeReason can take.
List of values that DisputeStatus can take.
List of values that DisputeStatus can take.
List of values that DisputeStatus can take.
List of values that DisputeStatus can take.
List of values that DisputeStatus can take.
List of values that DisputeStatus can take.
List of values that DisputeStatus can take.
Contains constants for the names of parameters used for pagination in list APIs.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorCode can take.
List of values that ErrorType can take.
List of values that ErrorType can take.
List of values that ErrorType can take.
List of values that ErrorType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that EventType can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FilePurpose can take.
List of values that FinancialConnectionsAccountAccountHolderType can take.
List of values that FinancialConnectionsAccountAccountHolderType can take.
List of values that FinancialConnectionsAccountBalanceRefreshStatus can take.
List of values that FinancialConnectionsAccountBalanceRefreshStatus can take.
List of values that FinancialConnectionsAccountBalanceRefreshStatus can take.
List of values that FinancialConnectionsAccountBalanceType can take.
List of values that FinancialConnectionsAccountBalanceType can take.
List of values that FinancialConnectionsAccountCategory can take.
List of values that FinancialConnectionsAccountCategory can take.
List of values that FinancialConnectionsAccountCategory can take.
List of values that FinancialConnectionsAccountCategory can take.
List of values that FinancialConnectionsAccountOwnershipRefreshStatus can take.
List of values that FinancialConnectionsAccountOwnershipRefreshStatus can take.
List of values that FinancialConnectionsAccountOwnershipRefreshStatus can take.
List of values that FinancialConnectionsAccountPermission can take.
List of values that FinancialConnectionsAccountPermission can take.
List of values that FinancialConnectionsAccountPermission can take.
List of values that FinancialConnectionsAccountPermission can take.
List of values that FinancialConnectionsAccountStatus can take.
List of values that FinancialConnectionsAccountStatus can take.
List of values that FinancialConnectionsAccountStatus can take.
List of values that FinancialConnectionsAccountSubcategory can take.
List of values that FinancialConnectionsAccountSubcategory can take.
List of values that FinancialConnectionsAccountSubcategory can take.
List of values that FinancialConnectionsAccountSubcategory can take.
List of values that FinancialConnectionsAccountSubcategory can take.
List of values that FinancialConnectionsAccountSubcategory can take.
List of values that FinancialConnectionsAccountSubscription can take.
List of values that FinancialConnectionsAccountSupportedPaymentMethodType can take.
List of values that FinancialConnectionsAccountSupportedPaymentMethodType can take.
List of values that FinancialConnectionsAccountTransactionRefreshStatus can take.
List of values that FinancialConnectionsAccountTransactionRefreshStatus can take.
List of values that FinancialConnectionsAccountTransactionRefreshStatus can take.
List of values that FinancialConnectionsSessionAccountHolderType can take.
List of values that FinancialConnectionsSessionAccountHolderType can take.
List of values that FinancialConnectionsSessionFiltersAccountSubcategory can take.
List of values that FinancialConnectionsSessionFiltersAccountSubcategory can take.
List of values that FinancialConnectionsSessionFiltersAccountSubcategory can take.
List of values that FinancialConnectionsSessionFiltersAccountSubcategory can take.
List of values that FinancialConnectionsSessionFiltersAccountSubcategory can take.
List of values that FinancialConnectionsSessionPermission can take.
List of values that FinancialConnectionsSessionPermission can take.
List of values that FinancialConnectionsSessionPermission can take.
List of values that FinancialConnectionsSessionPermission can take.
List of values that FinancialConnectionsSessionPrefetch can take.
List of values that FinancialConnectionsSessionPrefetch can take.
List of values that FinancialConnectionsSessionPrefetch can take.
List of values that FinancialConnectionsTransactionStatus can take.
List of values that FinancialConnectionsTransactionStatus can take.
List of values that FinancialConnectionsTransactionStatus can take.
List of values that ForwardingRequestReplacement can take.
List of values that ForwardingRequestReplacement can take.
List of values that ForwardingRequestReplacement can take.
List of values that ForwardingRequestReplacement can take.
List of values that ForwardingRequestReplacement can take.
List of values that ForwardingRequestRequestDetailsHTTPMethod can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressSupportedNetwork can take.
List of values that FundingInstructionsBankTransferFinancialAddressType can take.
List of values that FundingInstructionsBankTransferFinancialAddressType can take.
List of values that FundingInstructionsBankTransferFinancialAddressType can take.
List of values that FundingInstructionsBankTransferFinancialAddressType can take.
List of values that FundingInstructionsBankTransferFinancialAddressType can take.
List of values that FundingInstructionsBankTransferFinancialAddressType can take.
List of values that FundingInstructionsBankTransferType can take.
List of values that FundingInstructionsBankTransferType can take.
List of values that FundingInstructionsFundingType can take.
List of values that IdentityVerificationReportDocumentErrorCode can take.
List of values that IdentityVerificationReportDocumentErrorCode can take.
List of values that IdentityVerificationReportDocumentErrorCode can take.
List of values that IdentityVerificationReportDocumentStatus can take.
List of values that IdentityVerificationReportDocumentStatus can take.
List of values that IdentityVerificationReportDocumentType can take.
List of values that IdentityVerificationReportDocumentType can take.
List of values that IdentityVerificationReportDocumentType can take.
List of values that IdentityVerificationReportEmailErrorCode can take.
List of values that IdentityVerificationReportEmailErrorCode can take.
List of values that IdentityVerificationReportEmailStatus can take.
List of values that IdentityVerificationReportEmailStatus can take.
List of values that IdentityVerificationReportIDNumberErrorCode can take.
List of values that IdentityVerificationReportIDNumberErrorCode can take.
List of values that IdentityVerificationReportIDNumberErrorCode can take.
List of values that IdentityVerificationReportIDNumberIDNumberType can take.
List of values that IdentityVerificationReportIDNumberIDNumberType can take.
List of values that IdentityVerificationReportIDNumberIDNumberType can take.
List of values that IdentityVerificationReportIDNumberStatus can take.
List of values that IdentityVerificationReportIDNumberStatus can take.
List of values that IdentityVerificationReportOptionsDocumentAllowedType can take.
List of values that IdentityVerificationReportOptionsDocumentAllowedType can take.
List of values that IdentityVerificationReportOptionsDocumentAllowedType can take.
List of values that IdentityVerificationReportPhoneErrorCode can take.
List of values that IdentityVerificationReportPhoneErrorCode can take.
List of values that IdentityVerificationReportPhoneStatus can take.
List of values that IdentityVerificationReportPhoneStatus can take.
List of values that IdentityVerificationReportSelfieErrorCode can take.
List of values that IdentityVerificationReportSelfieErrorCode can take.
List of values that IdentityVerificationReportSelfieErrorCode can take.
List of values that IdentityVerificationReportSelfieErrorCode can take.
List of values that IdentityVerificationReportSelfieStatus can take.
List of values that IdentityVerificationReportSelfieStatus can take.
List of values that IdentityVerificationReportType can take.
List of values that IdentityVerificationReportType can take.
List of values that IdentityVerificationReportType can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionLastErrorCode can take.
List of values that IdentityVerificationSessionOptionsDocumentAllowedType can take.
List of values that IdentityVerificationSessionOptionsDocumentAllowedType can take.
List of values that IdentityVerificationSessionOptionsDocumentAllowedType can take.
List of values that IdentityVerificationSessionRedactionStatus can take.
List of values that IdentityVerificationSessionRedactionStatus can take.
List of values that IdentityVerificationSessionStatus can take.
List of values that IdentityVerificationSessionStatus can take.
List of values that IdentityVerificationSessionStatus can take.
List of values that IdentityVerificationSessionStatus can take.
List of values that IdentityVerificationSessionType can take.
List of values that IdentityVerificationSessionType can take.
List of values that IdentityVerificationSessionType can take.
List of values that IdentityVerificationSessionVerifiedOutputsIDNumberType can take.
List of values that IdentityVerificationSessionVerifiedOutputsIDNumberType can take.
List of values that IdentityVerificationSessionVerifiedOutputsIDNumberType can take.
List of values that InvoiceAutomaticTaxDisabledReason can take.
List of values that InvoiceAutomaticTaxDisabledReason can take.
List of values that InvoiceAutomaticTaxLiabilityType can take.
List of values that InvoiceAutomaticTaxLiabilityType can take.
List of values that InvoiceAutomaticTaxStatus can take.
List of values that InvoiceAutomaticTaxStatus can take.
List of values that InvoiceAutomaticTaxStatus can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceBillingReason can take.
List of values that InvoiceCollectionMethod can take.
List of values that InvoiceCollectionMethod can take.
List of values that InvoiceIssuerType can take.
List of values that InvoiceIssuerType can take.
List of values that InvoiceLineItemPretaxCreditAmountType can take.
List of values that InvoiceLineItemPretaxCreditAmountType can take.
List of values that InvoiceLineItemType can take.
List of values that InvoiceLineItemType can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsCustomerBalanceFundingType can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that InvoicePaymentSettingsPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoicePaymentSettingsPaymentMethodType can take.
List of values that InvoiceRenderingPDFPageSize can take.
List of values that InvoiceRenderingPDFPageSize can take.
List of values that InvoiceRenderingPDFPageSize can take.
List of values that InvoiceRenderingTemplateStatus can take.
List of values that InvoiceRenderingTemplateStatus can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceShippingCostTaxTaxabilityReason can take.
List of values that InvoiceStatus can take.
List of values that InvoiceStatus can take.
List of values that InvoiceStatus can take.
List of values that InvoiceStatus can take.
List of values that InvoiceStatus can take.
List of values that InvoiceTotalPretaxCreditAmountType can take.
List of values that InvoiceTotalPretaxCreditAmountType can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that InvoiceTotalTaxAmountTaxabilityReason can take.
List of values that IssuingAuthorizationAuthorizationMethod can take.
List of values that IssuingAuthorizationAuthorizationMethod can take.
List of values that IssuingAuthorizationAuthorizationMethod can take.
List of values that IssuingAuthorizationAuthorizationMethod can take.
List of values that IssuingAuthorizationAuthorizationMethod can take.
List of values that IssuingAuthorizationFleetPurchaseType can take.
List of values that IssuingAuthorizationFleetPurchaseType can take.
List of values that IssuingAuthorizationFleetPurchaseType can take.
List of values that IssuingAuthorizationFleetServiceType can take.
List of values that IssuingAuthorizationFleetServiceType can take.
List of values that IssuingAuthorizationFleetServiceType can take.
List of values that IssuingAuthorizationFraudChallengeChannel can take.
List of values that IssuingAuthorizationFraudChallengeStatus can take.
List of values that IssuingAuthorizationFraudChallengeStatus can take.
List of values that IssuingAuthorizationFraudChallengeStatus can take.
List of values that IssuingAuthorizationFraudChallengeStatus can take.
List of values that IssuingAuthorizationFraudChallengeStatus can take.
List of values that IssuingAuthorizationFraudChallengeUndeliverableReason can take.
List of values that IssuingAuthorizationFraudChallengeUndeliverableReason can take.
List of values that IssuingAuthorizationFuelType can take.
List of values that IssuingAuthorizationFuelType can take.
List of values that IssuingAuthorizationFuelType can take.
List of values that IssuingAuthorizationFuelType can take.
List of values that IssuingAuthorizationFuelType can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationFuelUnit can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationRequestHistoryReason can take.
List of values that IssuingAuthorizationStatus can take.
List of values that IssuingAuthorizationStatus can take.
List of values that IssuingAuthorizationStatus can take.
List of values that IssuingAuthorizationVerificationDataAuthenticationExemptionClaimedBy can take.
List of values that IssuingAuthorizationVerificationDataAuthenticationExemptionClaimedBy can take.
List of values that IssuingAuthorizationVerificationDataAuthenticationExemptionType can take.
List of values that IssuingAuthorizationVerificationDataAuthenticationExemptionType can take.
List of values that IssuingAuthorizationVerificationDataAuthenticationExemptionType can take.
List of values that IssuingAuthorizationVerificationDataCheck can take.
List of values that IssuingAuthorizationVerificationDataCheck can take.
List of values that IssuingAuthorizationVerificationDataCheck can take.
List of values that IssuingAuthorizationVerificationDataThreeDSecureResult can take.
List of values that IssuingAuthorizationVerificationDataThreeDSecureResult can take.
List of values that IssuingAuthorizationVerificationDataThreeDSecureResult can take.
List of values that IssuingAuthorizationVerificationDataThreeDSecureResult can take.
List of values that IssuingAuthorizationWallet can take.
List of values that IssuingAuthorizationWallet can take.
List of values that IssuingAuthorizationWallet can take.
List of values that IssuingCardCancellationReason can take.
List of values that IssuingCardCancellationReason can take.
List of values that IssuingCardCancellationReason can take.
List of values that IssuingCardholderPreferredLocale can take.
List of values that IssuingCardholderPreferredLocale can take.
List of values that IssuingCardholderPreferredLocale can take.
List of values that IssuingCardholderPreferredLocale can take.
List of values that IssuingCardholderPreferredLocale can take.
List of values that IssuingCardholderRequirementsDisabledReason can take.
List of values that IssuingCardholderRequirementsDisabledReason can take.
List of values that IssuingCardholderRequirementsDisabledReason can take.
List of values that IssuingCardholderRequirementsDisabledReason can take.
List of values that IssuingCardholderSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardholderSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardholderSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardholderSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardholderSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardholderSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardholderStatus can take.
List of values that IssuingCardholderStatus can take.
List of values that IssuingCardholderStatus can take.
List of values that IssuingCardholderType can take.
List of values that IssuingCardholderType can take.
List of values that IssuingCardReplacementReason can take.
List of values that IssuingCardReplacementReason can take.
List of values that IssuingCardReplacementReason can take.
List of values that IssuingCardReplacementReason can take.
List of values that IssuingCardShippingAddressValidationMode can take.
List of values that IssuingCardShippingAddressValidationMode can take.
List of values that IssuingCardShippingAddressValidationMode can take.
List of values that IssuingCardShippingAddressValidationResult can take.
List of values that IssuingCardShippingAddressValidationResult can take.
List of values that IssuingCardShippingAddressValidationResult can take.
List of values that IssuingCardShippingCarrier can take.
List of values that IssuingCardShippingCarrier can take.
List of values that IssuingCardShippingCarrier can take.
List of values that IssuingCardShippingCarrier can take.
List of values that IssuingCardShippingService can take.
List of values that IssuingCardShippingService can take.
List of values that IssuingCardShippingService can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingStatus can take.
List of values that IssuingCardShippingType can take.
List of values that IssuingCardShippingType can take.
List of values that IssuingCardSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardSpendingControlsSpendingLimitInterval can take.
List of values that IssuingCardStatus can take.
List of values that IssuingCardStatus can take.
List of values that IssuingCardStatus can take.
List of values that IssuingCardType can take.
List of values that IssuingCardType can take.
List of values that IssuingCardWalletsApplePayIneligibleReason can take.
List of values that IssuingCardWalletsApplePayIneligibleReason can take.
List of values that IssuingCardWalletsApplePayIneligibleReason can take.
List of values that IssuingCardWalletsGooglePayIneligibleReason can take.
List of values that IssuingCardWalletsGooglePayIneligibleReason can take.
List of values that IssuingCardWalletsGooglePayIneligibleReason can take.
List of values that IssuingDisputeEvidenceCanceledProductType can take.
List of values that IssuingDisputeEvidenceCanceledProductType can take.
List of values that IssuingDisputeEvidenceCanceledReturnStatus can take.
List of values that IssuingDisputeEvidenceCanceledReturnStatus can take.
List of values that IssuingDisputeEvidenceMerchandiseNotAsDescribedReturnStatus can take.
List of values that IssuingDisputeEvidenceMerchandiseNotAsDescribedReturnStatus can take.
List of values that IssuingDisputeEvidenceNotReceivedProductType can take.
List of values that IssuingDisputeEvidenceNotReceivedProductType can take.
List of values that IssuingDisputeEvidenceOtherProductType can take.
List of values that IssuingDisputeEvidenceOtherProductType can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeEvidenceReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeLossReason can take.
List of values that IssuingDisputeStatus can take.
List of values that IssuingDisputeStatus can take.
List of values that IssuingDisputeStatus can take.
List of values that IssuingDisputeStatus can take.
List of values that IssuingDisputeStatus can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCardLogo can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignRejectionReasonsCarrierText can take.
List of values that IssuingPersonalizationDesignStatus can take.
List of values that IssuingPersonalizationDesignStatus can take.
List of values that IssuingPersonalizationDesignStatus can take.
List of values that IssuingPersonalizationDesignStatus can take.
List of values that IssuingPhysicalBundleFeaturesCardLogo can take.
List of values that IssuingPhysicalBundleFeaturesCardLogo can take.
List of values that IssuingPhysicalBundleFeaturesCardLogo can take.
List of values that IssuingPhysicalBundleFeaturesCarrierText can take.
List of values that IssuingPhysicalBundleFeaturesCarrierText can take.
List of values that IssuingPhysicalBundleFeaturesCarrierText can take.
List of values that IssuingPhysicalBundleFeaturesSecondLine can take.
List of values that IssuingPhysicalBundleFeaturesSecondLine can take.
List of values that IssuingPhysicalBundleFeaturesSecondLine can take.
List of values that IssuingPhysicalBundleStatus can take.
List of values that IssuingPhysicalBundleStatus can take.
List of values that IssuingPhysicalBundleStatus can take.
List of values that IssuingPhysicalBundleType can take.
List of values that IssuingPhysicalBundleType can take.
List of values that IssuingTokenNetworkDataDeviceType can take.
List of values that IssuingTokenNetworkDataDeviceType can take.
List of values that IssuingTokenNetworkDataDeviceType can take.
List of values that IssuingTokenNetworkDataType can take.
List of values that IssuingTokenNetworkDataType can take.
List of values that IssuingTokenNetworkDataWalletProviderCardNumberSource can take.
List of values that IssuingTokenNetworkDataWalletProviderCardNumberSource can take.
List of values that IssuingTokenNetworkDataWalletProviderCardNumberSource can take.
List of values that IssuingTokenNetworkDataWalletProviderCardNumberSource can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderReasonCode can take.
List of values that IssuingTokenNetworkDataWalletProviderSuggestedDecision can take.
List of values that IssuingTokenNetworkDataWalletProviderSuggestedDecision can take.
List of values that IssuingTokenNetworkDataWalletProviderSuggestedDecision can take.
List of values that IssuingTokenNetwork can take.
List of values that IssuingTokenNetwork can take.
List of values that IssuingTokenStatus can take.
List of values that IssuingTokenStatus can take.
List of values that IssuingTokenStatus can take.
List of values that IssuingTokenStatus can take.
List of values that IssuingTokenWalletProvider can take.
List of values that IssuingTokenWalletProvider can take.
List of values that IssuingTokenWalletProvider can take.
List of values that IssuingTransactionPurchaseDetailsFuelType can take.
List of values that IssuingTransactionPurchaseDetailsFuelType can take.
List of values that IssuingTransactionPurchaseDetailsFuelType can take.
List of values that IssuingTransactionPurchaseDetailsFuelType can take.
List of values that IssuingTransactionPurchaseDetailsFuelType can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionPurchaseDetailsFuelUnit can take.
List of values that IssuingTransactionType can take.
List of values that IssuingTransactionType can take.
List of values that IssuingTransactionWallet can take.
List of values that IssuingTransactionWallet can take.
List of values that IssuingTransactionWallet can take.
LevelDebug sets a logger to show informational messages or anything more severe.
LevelError sets a logger to show error messages only.
LevelInfo sets a logger to show informational messages or anything more severe.
LevelNull sets a logger to show no messages at all.
LevelWarn sets a logger to show warning messages or anything more severe.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that LineItemTaxTaxabilityReason can take.
List of values that MandateCustomerAcceptanceType can take.
List of values that MandateCustomerAcceptanceType can take.
List of values that MandatePaymentMethodDetailsACSSDebitDefaultFor can take.
List of values that MandatePaymentMethodDetailsACSSDebitDefaultFor can take.
List of values that MandatePaymentMethodDetailsACSSDebitPaymentSchedule can take.
List of values that MandatePaymentMethodDetailsACSSDebitPaymentSchedule can take.
List of values that MandatePaymentMethodDetailsACSSDebitPaymentSchedule can take.
List of values that MandatePaymentMethodDetailsACSSDebitTransactionType can take.
List of values that MandatePaymentMethodDetailsACSSDebitTransactionType can take.
List of values that MandatePaymentMethodDetailsBACSDebitNetworkStatus can take.
List of values that MandatePaymentMethodDetailsBACSDebitNetworkStatus can take.
List of values that MandatePaymentMethodDetailsBACSDebitNetworkStatus can take.
List of values that MandatePaymentMethodDetailsBACSDebitNetworkStatus can take.
List of values that MandatePaymentMethodDetailsBACSDebitRevocationReason can take.
List of values that MandatePaymentMethodDetailsBACSDebitRevocationReason can take.
List of values that MandatePaymentMethodDetailsBACSDebitRevocationReason can take.
List of values that MandatePaymentMethodDetailsBACSDebitRevocationReason can take.
List of values that MandatePaymentMethodDetailsBACSDebitRevocationReason can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsType can take.
List of values that MandatePaymentMethodDetailsUSBankAccountCollectionMethod can take.
List of values that MandateStatus can take.
List of values that MandateStatus can take.
List of values that MandateStatus can take.
List of values that MandateType can take.
List of values that MandateType can take.
List of possible values for OAuth scopes.
List of possible values for OAuth scopes.
List of supported values for business type.
List of supported values for business type.
List of supported values for business type.
List of supported values for business type.
List of supported values for business type.
The gender of the person who will be filling out a Stripe application.
The gender of the person who will be filling out a Stripe application.
List of possible OAuthTokenType values.
Contains constants for the names of parameters used for pagination in search APIs.
List of values that PaymentIntentAutomaticPaymentMethodsAllowRedirects can take.
List of values that PaymentIntentAutomaticPaymentMethodsAllowRedirects can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCancellationReason can take.
List of values that PaymentIntentCaptureMethod can take.
List of values that PaymentIntentCaptureMethod can take.
List of values that PaymentIntentCaptureMethod can take.
List of values that PaymentIntentConfirmationMethod can take.
List of values that PaymentIntentConfirmationMethod can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressSupportedNetwork can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsFinancialAddressType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsType can take.
List of values that PaymentIntentNextActionDisplayBankTransferInstructionsType can take.
List of values that PaymentIntentNextActionType can take.
List of values that PaymentIntentNextActionType can take.
List of values that PaymentIntentNextActionType can take.
List of values that PaymentIntentNextActionType can take.
List of values that PaymentIntentNextActionType can take.
List of values that PaymentIntentNextActionVerifyWithMicrodepositsMicrodepositType can take.
List of values that PaymentIntentNextActionVerifyWithMicrodepositsMicrodepositType can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that PaymentIntentPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that PaymentIntentPaymentMethodOptionsAffirmCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsAffirmSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAfterpayClearpayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsAfterpayClearpaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAlipaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAlipaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAlmaCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsAmazonPayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsAmazonPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAmazonPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAUBECSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAUBECSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsAUBECSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBACSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBACSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBACSDebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBancontactSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBancontactSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBLIKSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBoletoSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBoletoSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsBoletoSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCardCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsCardInstallmentsPlanInterval can take.
List of values that PaymentIntentPaymentMethodOptionsCardInstallmentsPlanType can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsAmountType can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsAmountType can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that PaymentIntentPaymentMethodOptionsCardMandateOptionsSupportedType can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardNetwork can take.
List of values that PaymentIntentPaymentMethodOptionsCardPresentRoutingRequestedPriority can take.
List of values that PaymentIntentPaymentMethodOptionsCardPresentRoutingRequestedPriority can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestExtendedAuthorization can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestExtendedAuthorization can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestIncrementalAuthorization can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestIncrementalAuthorization can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestMulticapture can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestMulticapture can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestOvercapture can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestOvercapture can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that PaymentIntentPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that PaymentIntentPaymentMethodOptionsCardSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCardSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCardSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCashAppCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsCashAppSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCashAppSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCashAppSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferRequestedAddressType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceBankTransferType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceFundingType can take.
List of values that PaymentIntentPaymentMethodOptionsCustomerBalanceSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsEPSSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsFPXSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsGiropaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsGrabpaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsIDEALSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsIDEALSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsKakaoPayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsKakaoPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsKakaoPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsKlarnaCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsKlarnaSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsKonbiniSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsKrCardCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsKrCardSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsKrCardSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsLinkCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsLinkSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsLinkSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsMobilepayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsMobilepaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsMultibancoSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsNaverPayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsOXXOSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsP24SetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsPaycoCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsPayNowSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsPaypalCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsPaypalSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsPaypalSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsPixSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsPromptPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsRevolutPayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsRevolutPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsRevolutPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsSamsungPayCaptureMethod can take.
List of values that PaymentIntentPaymentMethodOptionsSEPADebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsSEPADebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsSEPADebitSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsSofortSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsSofortSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsSwishSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsTWINTSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountMandateOptionsCollectionMethod can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountPreferredSettlementSpeed can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountPreferredSettlementSpeed can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountSetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that PaymentIntentPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that PaymentIntentPaymentMethodOptionsWeChatPayClient can take.
List of values that PaymentIntentPaymentMethodOptionsWeChatPayClient can take.
List of values that PaymentIntentPaymentMethodOptionsWeChatPayClient can take.
List of values that PaymentIntentPaymentMethodOptionsWeChatPaySetupFutureUsage can take.
List of values that PaymentIntentPaymentMethodOptionsZipSetupFutureUsage can take.
List of values that PaymentIntentProcessingType can take.
List of values that PaymentIntentSetupFutureUsage can take.
List of values that PaymentIntentSetupFutureUsage can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentIntentStatus can take.
List of values that PaymentLinkAfterCompletionType can take.
List of values that PaymentLinkAfterCompletionType can take.
List of values that PaymentLinkAutomaticTaxLiabilityType can take.
List of values that PaymentLinkAutomaticTaxLiabilityType can take.
List of values that PaymentLinkBillingAddressCollection can take.
List of values that PaymentLinkBillingAddressCollection can take.
List of values that PaymentLinkConsentCollectionPaymentMethodReuseAgreementPosition can take.
List of values that PaymentLinkConsentCollectionPaymentMethodReuseAgreementPosition can take.
List of values that PaymentLinkConsentCollectionPromotions can take.
List of values that PaymentLinkConsentCollectionPromotions can take.
List of values that PaymentLinkConsentCollectionTermsOfService can take.
List of values that PaymentLinkConsentCollectionTermsOfService can take.
List of values that PaymentLinkCustomerCreation can take.
List of values that PaymentLinkCustomerCreation can take.
List of values that PaymentLinkCustomFieldLabelType can take.
List of values that PaymentLinkCustomFieldType can take.
List of values that PaymentLinkCustomFieldType can take.
List of values that PaymentLinkCustomFieldType can take.
List of values that PaymentLinkInvoiceCreationInvoiceDataIssuerType can take.
List of values that PaymentLinkInvoiceCreationInvoiceDataIssuerType can take.
List of values that PaymentLinkPaymentIntentDataCaptureMethod can take.
List of values that PaymentLinkPaymentIntentDataCaptureMethod can take.
List of values that PaymentLinkPaymentIntentDataCaptureMethod can take.
List of values that PaymentLinkPaymentIntentDataSetupFutureUsage can take.
List of values that PaymentLinkPaymentIntentDataSetupFutureUsage can take.
List of values that PaymentLinkPaymentMethodCollection can take.
List of values that PaymentLinkPaymentMethodCollection can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkPaymentMethodType can take.
List of values that PaymentLinkSubmitType can take.
List of values that PaymentLinkSubmitType can take.
List of values that PaymentLinkSubmitType can take.
List of values that PaymentLinkSubmitType can take.
List of values that PaymentLinkSubmitType can take.
List of values that PaymentLinkSubscriptionDataInvoiceSettingsIssuerType can take.
List of values that PaymentLinkSubscriptionDataInvoiceSettingsIssuerType can take.
List of values that PaymentLinkSubscriptionDataTrialSettingsEndBehaviorMissingPaymentMethod can take.
List of values that PaymentLinkSubscriptionDataTrialSettingsEndBehaviorMissingPaymentMethod can take.
List of values that PaymentLinkSubscriptionDataTrialSettingsEndBehaviorMissingPaymentMethod can take.
List of values that PaymentLinkTaxIDCollectionRequired can take.
List of values that PaymentLinkTaxIDCollectionRequired can take.
List of values that PaymentMethodAllowRedisplay can take.
List of values that PaymentMethodAllowRedisplay can take.
List of values that PaymentMethodAllowRedisplay can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardBrand can take.
List of values that PaymentMethodCardChecksAddressLine1Check can take.
List of values that PaymentMethodCardChecksAddressLine1Check can take.
List of values that PaymentMethodCardChecksAddressLine1Check can take.
List of values that PaymentMethodCardChecksAddressLine1Check can take.
List of values that PaymentMethodCardChecksAddressPostalCodeCheck can take.
List of values that PaymentMethodCardChecksAddressPostalCodeCheck can take.
List of values that PaymentMethodCardChecksAddressPostalCodeCheck can take.
List of values that PaymentMethodCardChecksAddressPostalCodeCheck can take.
List of values that PaymentMethodCardChecksCVCCheck can take.
List of values that PaymentMethodCardChecksCVCCheck can take.
List of values that PaymentMethodCardChecksCVCCheck can take.
List of values that PaymentMethodCardChecksCVCCheck can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentOfflineType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReadMethod can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentReceiptAccountType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that PaymentMethodCardGeneratedFromPaymentMethodDetailsCardPresentWalletType can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksAvailable can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardNetworksPreferred can take.
List of values that PaymentMethodCardPresentOfflineType can take.
List of values that PaymentMethodCardPresentReadMethod can take.
List of values that PaymentMethodCardPresentReadMethod can take.
List of values that PaymentMethodCardPresentReadMethod can take.
List of values that PaymentMethodCardPresentReadMethod can take.
List of values that PaymentMethodCardPresentReadMethod can take.
List of values that PaymentMethodCardPresentWalletType can take.
List of values that PaymentMethodCardPresentWalletType can take.
List of values that PaymentMethodCardPresentWalletType can take.
List of values that PaymentMethodCardPresentWalletType can take.
List of values that PaymentMethodCardRegulatedStatus can take.
List of values that PaymentMethodCardRegulatedStatus can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodCardWalletType can take.
List of values that PaymentMethodConfigurationACSSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationACSSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationACSSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationACSSDebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationACSSDebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAffirmDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAffirmDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAffirmDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAffirmDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAffirmDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAfterpayClearpayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAfterpayClearpayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAfterpayClearpayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAfterpayClearpayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAfterpayClearpayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAlipayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAlipayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAlipayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAlipayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAlipayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAlmaDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAlmaDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAlmaDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAlmaDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAlmaDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAmazonPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAmazonPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAmazonPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAmazonPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAmazonPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationApplePayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationApplePayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationApplePayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationApplePayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationApplePayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAUBECSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAUBECSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAUBECSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationAUBECSDebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationAUBECSDebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBACSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBACSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBACSDebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBACSDebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBACSDebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBancontactDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBancontactDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBancontactDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBancontactDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBancontactDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBLIKDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBLIKDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBLIKDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBLIKDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBLIKDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBoletoDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBoletoDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBoletoDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationBoletoDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationBoletoDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCardDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCardDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCardDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCardDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCardDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCartesBancairesDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCartesBancairesDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCartesBancairesDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCartesBancairesDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCartesBancairesDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCashAppDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCashAppDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCashAppDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCashAppDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCashAppDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCustomerBalanceDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCustomerBalanceDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCustomerBalanceDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationCustomerBalanceDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationCustomerBalanceDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationEPSDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationEPSDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationEPSDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationEPSDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationEPSDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationFPXDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationFPXDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationFPXDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationFPXDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationFPXDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationGiropayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGiropayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGiropayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGiropayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationGiropayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationGooglePayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGooglePayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGooglePayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGooglePayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationGooglePayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationGrabpayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGrabpayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGrabpayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationGrabpayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationGrabpayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationIDEALDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationIDEALDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationIDEALDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationIDEALDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationIDEALDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationJCBDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationJCBDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationJCBDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationJCBDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationJCBDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationKlarnaDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationKlarnaDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationKlarnaDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationKlarnaDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationKlarnaDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationKonbiniDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationKonbiniDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationKonbiniDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationKonbiniDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationKonbiniDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationLinkDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationLinkDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationLinkDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationLinkDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationLinkDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationMobilepayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationMobilepayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationMobilepayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationMobilepayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationMobilepayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationMultibancoDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationMultibancoDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationMultibancoDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationMultibancoDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationMultibancoDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationOXXODisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationOXXODisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationOXXODisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationOXXODisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationOXXODisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationP24DisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationP24DisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationP24DisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationP24DisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationP24DisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPayByBankDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPayByBankDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPayByBankDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPayByBankDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPayByBankDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPayNowDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPayNowDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPayNowDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPayNowDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPayNowDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPaypalDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPaypalDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPaypalDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPaypalDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPaypalDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPromptPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPromptPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPromptPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationPromptPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationPromptPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationRevolutPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationRevolutPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationRevolutPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationRevolutPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationRevolutPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationSEPADebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSEPADebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSEPADebitDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSEPADebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationSEPADebitDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationSofortDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSofortDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSofortDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSofortDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationSofortDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationSwishDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSwishDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSwishDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationSwishDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationSwishDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationTWINTDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationTWINTDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationTWINTDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationTWINTDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationTWINTDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationUSBankAccountDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationUSBankAccountDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationUSBankAccountDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationUSBankAccountDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationUSBankAccountDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationWeChatPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationWeChatPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationWeChatPayDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationWeChatPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationWeChatPayDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationZipDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationZipDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationZipDisplayPreferencePreference can take.
List of values that PaymentMethodConfigurationZipDisplayPreferenceValue can take.
List of values that PaymentMethodConfigurationZipDisplayPreferenceValue can take.
List of values that PaymentMethodDomainAmazonPayStatus can take.
List of values that PaymentMethodDomainAmazonPayStatus can take.
List of values that PaymentMethodDomainApplePayStatus can take.
List of values that PaymentMethodDomainApplePayStatus can take.
List of values that PaymentMethodDomainGooglePayStatus can take.
List of values that PaymentMethodDomainGooglePayStatus can take.
List of values that PaymentMethodDomainLinkStatus can take.
List of values that PaymentMethodDomainLinkStatus can take.
List of values that PaymentMethodDomainPaypalStatus can take.
List of values that PaymentMethodDomainPaypalStatus can take.
List of values that PaymentMethodFPXAccountHolderType can take.
List of values that PaymentMethodFPXAccountHolderType can take.
List of values that PaymentMethodInteracPresentReadMethod can take.
List of values that PaymentMethodInteracPresentReadMethod can take.
List of values that PaymentMethodInteracPresentReadMethod can take.
List of values that PaymentMethodInteracPresentReadMethod can take.
List of values that PaymentMethodInteracPresentReadMethod can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodKrCardBrand can take.
List of values that PaymentMethodNaverPayFunding can take.
List of values that PaymentMethodNaverPayFunding can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodType can take.
List of values that PaymentMethodUSBankAccountAccountHolderType can take.
List of values that PaymentMethodUSBankAccountAccountHolderType can take.
List of values that PaymentMethodUSBankAccountAccountType can take.
List of values that PaymentMethodUSBankAccountAccountType can take.
List of values that PaymentMethodUSBankAccountNetworksSupported can take.
List of values that PaymentMethodUSBankAccountNetworksSupported can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedNetworkCode can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedReason can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedReason can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedReason can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedReason can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedReason can take.
List of values that PaymentMethodUSBankAccountStatusDetailsBlockedReason can take.
List of values that PaymentSourceType can take.
List of values that PaymentSourceType can take.
List of values that PaymentSourceType can take.
List of values that PaymentSourceType can take.
List of values that PayoutDestinationType can take.
List of values that PayoutDestinationType can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutFailureCode can take.
List of values that PayoutMethodType can take.
List of values that PayoutMethodType can take.
List of values that PayoutReconciliationStatus can take.
List of values that PayoutReconciliationStatus can take.
List of values that PayoutReconciliationStatus can take.
List of values that PayoutSourceType can take.
List of values that PayoutSourceType can take.
List of values that PayoutSourceType can take.
List of values that PayoutStatus can take.
List of values that PayoutStatus can take.
List of values that PayoutStatus can take.
List of values that PayoutStatus can take.
List of values that PayoutStatus can take.
List of values that PayoutType can take.
List of values that PayoutType can take.
List of values that PersonPoliticalExposure can take.
List of values that PersonPoliticalExposure can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationDocumentDetailsCode can take.
List of values that PersonVerificationStatus can take.
List of values that PersonVerificationStatus can take.
List of values that PersonVerificationStatus can take.
List of values that PlanAggregateUsage can take.
List of values that PlanAggregateUsage can take.
List of values that PlanAggregateUsage can take.
List of values that PlanAggregateUsage can take.
List of values that PlanBillingScheme can take.
List of values that PlanBillingScheme can take.
List of values that PlanInterval can take.
List of values that PlanInterval can take.
List of values that PlanInterval can take.
List of values that PlanInterval can take.
List of values that PlanTiersMode can take.
List of values that PlanTiersMode can take.
List of values that PlanTransformUsageRound can take.
List of values that PlanTransformUsageRound can take.
List of values that PlanUsageType can take.
List of values that PlanUsageType can take.
List of values that PriceBillingScheme can take.
List of values that PriceBillingScheme can take.
List of values that PriceCurrencyOptionsTaxBehavior can take.
List of values that PriceCurrencyOptionsTaxBehavior can take.
List of values that PriceCurrencyOptionsTaxBehavior can take.
List of values that PriceRecurringAggregateUsage can take.
List of values that PriceRecurringAggregateUsage can take.
List of values that PriceRecurringAggregateUsage can take.
List of values that PriceRecurringAggregateUsage can take.
List of values that PriceRecurringInterval can take.
List of values that PriceRecurringInterval can take.
List of values that PriceRecurringInterval can take.
List of values that PriceRecurringInterval can take.
List of values that PriceRecurringUsageType can take.
List of values that PriceRecurringUsageType can take.
List of values that PriceTaxBehavior can take.
List of values that PriceTaxBehavior can take.
List of values that PriceTaxBehavior can take.
List of values that PriceTiersMode can take.
List of values that PriceTiersMode can take.
List of values that PriceTransformQuantityRound can take.
List of values that PriceTransformQuantityRound can take.
List of values that PriceType can take.
List of values that PriceType can take.
List of values that ProductType can take.
List of values that ProductType can take.
List of values that QuoteAutomaticTaxLiabilityType can take.
List of values that QuoteAutomaticTaxLiabilityType can take.
List of values that QuoteAutomaticTaxStatus can take.
List of values that QuoteAutomaticTaxStatus can take.
List of values that QuoteAutomaticTaxStatus can take.
List of values that QuoteCollectionMethod can take.
List of values that QuoteCollectionMethod can take.
List of values that QuoteComputedRecurringInterval can take.
List of values that QuoteComputedRecurringInterval can take.
List of values that QuoteComputedRecurringInterval can take.
List of values that QuoteComputedRecurringInterval can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedRecurringTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteComputedUpfrontTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteInvoiceSettingsIssuerType can take.
List of values that QuoteInvoiceSettingsIssuerType can take.
List of values that QuoteStatus can take.
List of values that QuoteStatus can take.
List of values that QuoteStatus can take.
List of values that QuoteStatus can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that QuoteTotalDetailsBreakdownTaxTaxabilityReason can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarEarlyFraudWarningFraudType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RadarValueListItemType can take.
List of values that RefundDestinationDetailsCardType can take.
List of values that RefundDestinationDetailsCardType can take.
List of values that RefundDestinationDetailsCardType can take.
List of values that RefundFailureReason can take.
List of values that RefundFailureReason can take.
List of values that RefundFailureReason can take.
List of values that RefundReason can take.
List of values that RefundReason can take.
List of values that RefundReason can take.
List of values that RefundReason can take.
List of values that RefundStatus can take.
List of values that RefundStatus can take.
List of values that RefundStatus can take.
List of values that RefundStatus can take.
List of values that RefundStatus can take.
List of values that ReportingReportRunStatus can take.
List of values that ReportingReportRunStatus can take.
List of values that ReportingReportRunStatus can take.
List of values that ReviewClosedReason can take.
List of values that ReviewClosedReason can take.
List of values that ReviewClosedReason can take.
List of values that ReviewClosedReason can take.
List of values that ReviewClosedReason can take.
List of values that ReviewOpenedReason can take.
List of values that ReviewOpenedReason can take.
List of values that ReviewReason can take.
List of values that ReviewReason can take.
List of values that ReviewReason can take.
List of values that ReviewReason can take.
List of values that ReviewReason can take.
List of values that ReviewReason can take.
List of values that ReviewReason can take.
List of values that SetupAttemptFlowDirection can take.
List of values that SetupAttemptFlowDirection can take.
List of values that SetupAttemptPaymentMethodDetailsCardPresentOfflineType can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureAuthenticationFlow can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureAuthenticationFlow can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureElectronicCommerceIndicator can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResult can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResult can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResult can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResult can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResult can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResult can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardThreeDSecureResultReason can take.
List of values that SetupAttemptPaymentMethodDetailsCardWalletType can take.
List of values that SetupAttemptPaymentMethodDetailsCardWalletType can take.
List of values that SetupAttemptPaymentMethodDetailsCardWalletType can take.
List of values that SetupAttemptPaymentMethodDetailsType can take.
List of values that SetupAttemptStatus can take.
List of values that SetupAttemptStatus can take.
List of values that SetupAttemptStatus can take.
List of values that SetupAttemptStatus can take.
List of values that SetupAttemptStatus can take.
List of values that SetupAttemptStatus can take.
List of values that SetupAttemptUsage can take.
List of values that SetupAttemptUsage can take.
List of values that SetupIntentAutomaticPaymentMethodsAllowRedirects can take.
List of values that SetupIntentAutomaticPaymentMethodsAllowRedirects can take.
List of values that SetupIntentCancellationReason can take.
List of values that SetupIntentCancellationReason can take.
List of values that SetupIntentCancellationReason can take.
List of values that SetupIntentFlowDirection can take.
List of values that SetupIntentFlowDirection can take.
List of values that SetupIntentNextActionType can take.
List of values that SetupIntentNextActionType can take.
List of values that SetupIntentNextActionType can take.
List of values that SetupIntentNextActionType can take.
List of values that SetupIntentNextActionType can take.
List of values that SetupIntentNextActionVerifyWithMicrodepositsMicrodepositType can take.
List of values that SetupIntentNextActionVerifyWithMicrodepositsMicrodepositType can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitCurrency can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitCurrency can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsDefaultFor can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsDefaultFor can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsPaymentSchedule can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that SetupIntentPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsAmountType can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsAmountType can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsInterval can take.
List of values that SetupIntentPaymentMethodOptionsCardMandateOptionsSupportedType can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardNetwork can take.
List of values that SetupIntentPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that SetupIntentPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that SetupIntentPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountMandateOptionsCollectionMethod can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that SetupIntentPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that SetupIntentStatus can take.
List of values that SetupIntentStatus can take.
List of values that SetupIntentStatus can take.
List of values that SetupIntentStatus can take.
List of values that SetupIntentStatus can take.
List of values that SetupIntentStatus can take.
List of values that SetupIntentUsage can take.
List of values that SetupIntentUsage can take.
List of values that ShippingRateDeliveryEstimateMaximumUnit can take.
List of values that ShippingRateDeliveryEstimateMaximumUnit can take.
List of values that ShippingRateDeliveryEstimateMaximumUnit can take.
List of values that ShippingRateDeliveryEstimateMaximumUnit can take.
List of values that ShippingRateDeliveryEstimateMaximumUnit can take.
List of values that ShippingRateDeliveryEstimateMinimumUnit can take.
List of values that ShippingRateDeliveryEstimateMinimumUnit can take.
List of values that ShippingRateDeliveryEstimateMinimumUnit can take.
List of values that ShippingRateDeliveryEstimateMinimumUnit can take.
List of values that ShippingRateDeliveryEstimateMinimumUnit can take.
List of values that ShippingRateFixedAmountCurrencyOptionsTaxBehavior can take.
List of values that ShippingRateFixedAmountCurrencyOptionsTaxBehavior can take.
List of values that ShippingRateFixedAmountCurrencyOptionsTaxBehavior can take.
List of values that ShippingRateTaxBehavior can take.
List of values that ShippingRateTaxBehavior can take.
List of values that ShippingRateTaxBehavior can take.
List of values that ShippingRateType can take.
List of values that SigmaScheduledQueryRunStatus can take.
List of values that SigmaScheduledQueryRunStatus can take.
List of values that SigmaScheduledQueryRunStatus can take.
List of values that SigmaScheduledQueryRunStatus can take.
List of values that SourceAllowRedisplay can take.
List of values that SourceAllowRedisplay can take.
List of values that SourceAllowRedisplay can take.
List of values that SourceCodeVerificationStatus can take.
List of values that SourceCodeVerificationStatus can take.
List of values that SourceCodeVerificationStatus can take.
List of values that SourceFlow can take.
List of values that SourceFlow can take.
List of values that SourceFlow can take.
List of values that SourceFlow can take.
List of values that SourceReceiverRefundAttributesMethod can take.
List of values that SourceReceiverRefundAttributesMethod can take.
List of values that SourceReceiverRefundAttributesMethod can take.
List of values that SourceReceiverRefundAttributesStatus can take.
List of values that SourceReceiverRefundAttributesStatus can take.
List of values that SourceReceiverRefundAttributesStatus can take.
List of values that SourceRedirectFailureReason can take.
List of values that SourceRedirectFailureReason can take.
List of values that SourceRedirectFailureReason can take.
List of values that SourceRedirectStatus can take.
List of values that SourceRedirectStatus can take.
List of values that SourceRedirectStatus can take.
List of values that SourceRedirectStatus can take.
List of values that SourceSourceOrderItemType can take.
List of values that SourceSourceOrderItemType can take.
List of values that SourceSourceOrderItemType can take.
List of values that SourceSourceOrderItemType can take.
List of values that SourceStatus can take.
List of values that SourceStatus can take.
List of values that SourceStatus can take.
List of values that SourceStatus can take.
List of values that SourceStatus can take.
List of values that SourceUsage can take.
List of values that SourceUsage can take.
Contains constants for the names of parameters used for pagination in list APIs.
List of values that SubscriptionAutomaticTaxDisabledReason can take.
List of values that SubscriptionAutomaticTaxLiabilityType can take.
List of values that SubscriptionAutomaticTaxLiabilityType can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsFeedback can take.
List of values that SubscriptionCancellationDetailsReason can take.
List of values that SubscriptionCancellationDetailsReason can take.
List of values that SubscriptionCancellationDetailsReason can take.
List of values that SubscriptionCollectionMethod can take.
List of values that SubscriptionCollectionMethod can take.
List of values that SubscriptionInvoiceSettingsIssuerType can take.
List of values that SubscriptionInvoiceSettingsIssuerType can take.
List of values that SubscriptionPauseCollectionBehavior can take.
List of values that SubscriptionPauseCollectionBehavior can take.
List of values that SubscriptionPauseCollectionBehavior can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsACSSDebitMandateOptionsTransactionType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsACSSDebitVerificationMethod can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardMandateOptionsAmountType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardMandateOptionsAmountType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardNetwork can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCardRequestThreeDSecure can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsCustomerBalanceFundingType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsFiltersAccountSubcategory can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPermission can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountFinancialConnectionsPrefetch can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that SubscriptionPaymentSettingsPaymentMethodOptionsUSBankAccountVerificationMethod can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsPaymentMethodType can take.
List of values that SubscriptionPaymentSettingsSaveDefaultPaymentMethod can take.
List of values that SubscriptionPaymentSettingsSaveDefaultPaymentMethod can take.
List of values that SubscriptionPendingInvoiceItemIntervalInterval can take.
List of values that SubscriptionPendingInvoiceItemIntervalInterval can take.
List of values that SubscriptionPendingInvoiceItemIntervalInterval can take.
List of values that SubscriptionPendingInvoiceItemIntervalInterval can take.
List of values that SubscriptionScheduleDefaultSettingsBillingCycleAnchor can take.
List of values that SubscriptionScheduleDefaultSettingsBillingCycleAnchor can take.
List of values that SubscriptionScheduleDefaultSettingsInvoiceSettingsIssuerType can take.
List of values that SubscriptionScheduleDefaultSettingsInvoiceSettingsIssuerType can take.
List of values that SubscriptionScheduleEndBehavior can take.
List of values that SubscriptionScheduleEndBehavior can take.
List of values that SubscriptionScheduleEndBehavior can take.
List of values that SubscriptionScheduleEndBehavior can take.
List of values that SubscriptionSchedulePhaseBillingCycleAnchor can take.
List of values that SubscriptionSchedulePhaseBillingCycleAnchor can take.
List of values that SubscriptionSchedulePhaseInvoiceSettingsIssuerType can take.
List of values that SubscriptionSchedulePhaseInvoiceSettingsIssuerType can take.
List of values that SubscriptionSchedulePhaseProrationBehavior can take.
List of values that SubscriptionSchedulePhaseProrationBehavior can take.
List of values that SubscriptionSchedulePhaseProrationBehavior can take.
List of values that SubscriptionScheduleStatus can take.
List of values that SubscriptionScheduleStatus can take.
List of values that SubscriptionScheduleStatus can take.
List of values that SubscriptionScheduleStatus can take.
List of values that SubscriptionScheduleStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionStatus can take.
List of values that SubscriptionTrialSettingsEndBehaviorMissingPaymentMethod can take.
List of values that SubscriptionTrialSettingsEndBehaviorMissingPaymentMethod can take.
List of values that SubscriptionTrialSettingsEndBehaviorMissingPaymentMethod can take.
List of values that TaxCalculationCustomerDetailsAddressSource can take.
List of values that TaxCalculationCustomerDetailsAddressSource can take.
List of values that TaxCalculationCustomerDetailsTaxabilityOverride can take.
List of values that TaxCalculationCustomerDetailsTaxabilityOverride can take.
List of values that TaxCalculationCustomerDetailsTaxabilityOverride can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationCustomerDetailsTaxIDType can take.
List of values that TaxCalculationLineItemTaxBehavior can take.
List of values that TaxCalculationLineItemTaxBehavior can take.
List of values that TaxCalculationLineItemTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationLineItemTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationLineItemTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationLineItemTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationLineItemTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationLineItemTaxBreakdownSourcing can take.
List of values that TaxCalculationLineItemTaxBreakdownSourcing can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationLineItemTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBehavior can take.
List of values that TaxCalculationShippingCostTaxBehavior can take.
List of values that TaxCalculationShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxCalculationShippingCostTaxBreakdownSourcing can take.
List of values that TaxCalculationShippingCostTaxBreakdownSourcing can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxabilityReason can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsRateType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsRateType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxCalculationTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxIDOwnerType can take.
List of values that TaxIDOwnerType can take.
List of values that TaxIDOwnerType can take.
List of values that TaxIDOwnerType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDType can take.
List of values that TaxIDVerificationStatus can take.
List of values that TaxIDVerificationStatus can take.
List of values that TaxIDVerificationStatus can take.
List of values that TaxIDVerificationStatus can take.
List of values that TaxRateJurisdictionLevel can take.
List of values that TaxRateJurisdictionLevel can take.
List of values that TaxRateJurisdictionLevel can take.
List of values that TaxRateJurisdictionLevel can take.
List of values that TaxRateJurisdictionLevel can take.
List of values that TaxRateJurisdictionLevel can take.
List of values that TaxRateRateType can take.
List of values that TaxRateRateType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRateTaxType can take.
List of values that TaxRegistrationCountryOptionsAeType can take.
List of values that TaxRegistrationCountryOptionsAlType can take.
List of values that TaxRegistrationCountryOptionsAmType can take.
List of values that TaxRegistrationCountryOptionsAoType can take.
List of values that TaxRegistrationCountryOptionsAtStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsAtStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsAtType can take.
List of values that TaxRegistrationCountryOptionsAtType can take.
List of values that TaxRegistrationCountryOptionsAtType can take.
List of values that TaxRegistrationCountryOptionsAtType can take.
List of values that TaxRegistrationCountryOptionsAuType can take.
List of values that TaxRegistrationCountryOptionsBaType can take.
List of values that TaxRegistrationCountryOptionsBbType can take.
List of values that TaxRegistrationCountryOptionsBeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsBeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsBeType can take.
List of values that TaxRegistrationCountryOptionsBeType can take.
List of values that TaxRegistrationCountryOptionsBeType can take.
List of values that TaxRegistrationCountryOptionsBeType can take.
List of values that TaxRegistrationCountryOptionsBGStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsBGStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsBGType can take.
List of values that TaxRegistrationCountryOptionsBGType can take.
List of values that TaxRegistrationCountryOptionsBGType can take.
List of values that TaxRegistrationCountryOptionsBGType can take.
List of values that TaxRegistrationCountryOptionsBhType can take.
List of values that TaxRegistrationCountryOptionsBsType can take.
List of values that TaxRegistrationCountryOptionsByType can take.
List of values that TaxRegistrationCountryOptionsCaType can take.
List of values that TaxRegistrationCountryOptionsCaType can take.
List of values that TaxRegistrationCountryOptionsCaType can take.
List of values that TaxRegistrationCountryOptionsCdType can take.
List of values that TaxRegistrationCountryOptionsChType can take.
List of values that TaxRegistrationCountryOptionsClType can take.
List of values that TaxRegistrationCountryOptionsCoType can take.
List of values that TaxRegistrationCountryOptionsCrType can take.
List of values that TaxRegistrationCountryOptionsCyStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsCyStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsCyType can take.
List of values that TaxRegistrationCountryOptionsCyType can take.
List of values that TaxRegistrationCountryOptionsCyType can take.
List of values that TaxRegistrationCountryOptionsCyType can take.
List of values that TaxRegistrationCountryOptionsCzStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsCzStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsCzType can take.
List of values that TaxRegistrationCountryOptionsCzType can take.
List of values that TaxRegistrationCountryOptionsCzType can take.
List of values that TaxRegistrationCountryOptionsCzType can take.
List of values that TaxRegistrationCountryOptionsDEStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsDEStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsDEType can take.
List of values that TaxRegistrationCountryOptionsDEType can take.
List of values that TaxRegistrationCountryOptionsDEType can take.
List of values that TaxRegistrationCountryOptionsDEType can take.
List of values that TaxRegistrationCountryOptionsDkStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsDkStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsDkType can take.
List of values that TaxRegistrationCountryOptionsDkType can take.
List of values that TaxRegistrationCountryOptionsDkType can take.
List of values that TaxRegistrationCountryOptionsDkType can take.
List of values that TaxRegistrationCountryOptionsEcType can take.
List of values that TaxRegistrationCountryOptionsEeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsEeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsEeType can take.
List of values that TaxRegistrationCountryOptionsEeType can take.
List of values that TaxRegistrationCountryOptionsEeType can take.
List of values that TaxRegistrationCountryOptionsEeType can take.
List of values that TaxRegistrationCountryOptionsEgType can take.
List of values that TaxRegistrationCountryOptionsESStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsESStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsESType can take.
List of values that TaxRegistrationCountryOptionsESType can take.
List of values that TaxRegistrationCountryOptionsESType can take.
List of values that TaxRegistrationCountryOptionsESType can take.
List of values that TaxRegistrationCountryOptionsFIStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsFIStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsFIType can take.
List of values that TaxRegistrationCountryOptionsFIType can take.
List of values that TaxRegistrationCountryOptionsFIType can take.
List of values that TaxRegistrationCountryOptionsFIType can take.
List of values that TaxRegistrationCountryOptionsFRStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsFRStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsFRType can take.
List of values that TaxRegistrationCountryOptionsFRType can take.
List of values that TaxRegistrationCountryOptionsFRType can take.
List of values that TaxRegistrationCountryOptionsFRType can take.
List of values that TaxRegistrationCountryOptionsGBType can take.
List of values that TaxRegistrationCountryOptionsGeType can take.
List of values that TaxRegistrationCountryOptionsGnType can take.
List of values that TaxRegistrationCountryOptionsGrStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsGrStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsGrType can take.
List of values that TaxRegistrationCountryOptionsGrType can take.
List of values that TaxRegistrationCountryOptionsGrType can take.
List of values that TaxRegistrationCountryOptionsGrType can take.
List of values that TaxRegistrationCountryOptionsHRStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsHRStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsHRType can take.
List of values that TaxRegistrationCountryOptionsHRType can take.
List of values that TaxRegistrationCountryOptionsHRType can take.
List of values that TaxRegistrationCountryOptionsHRType can take.
List of values that TaxRegistrationCountryOptionsHUStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsHUStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsHUType can take.
List of values that TaxRegistrationCountryOptionsHUType can take.
List of values that TaxRegistrationCountryOptionsHUType can take.
List of values that TaxRegistrationCountryOptionsHUType can take.
List of values that TaxRegistrationCountryOptionsIDType can take.
List of values that TaxRegistrationCountryOptionsIeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsIeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsIeType can take.
List of values that TaxRegistrationCountryOptionsIeType can take.
List of values that TaxRegistrationCountryOptionsIeType can take.
List of values that TaxRegistrationCountryOptionsIeType can take.
List of values that TaxRegistrationCountryOptionsIsType can take.
List of values that TaxRegistrationCountryOptionsITStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsITStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsITType can take.
List of values that TaxRegistrationCountryOptionsITType can take.
List of values that TaxRegistrationCountryOptionsITType can take.
List of values that TaxRegistrationCountryOptionsITType can take.
List of values that TaxRegistrationCountryOptionsJPType can take.
List of values that TaxRegistrationCountryOptionsKeType can take.
List of values that TaxRegistrationCountryOptionsKhType can take.
List of values that TaxRegistrationCountryOptionsKrType can take.
List of values that TaxRegistrationCountryOptionsKzType can take.
List of values that TaxRegistrationCountryOptionsLTStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsLTStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsLTType can take.
List of values that TaxRegistrationCountryOptionsLTType can take.
List of values that TaxRegistrationCountryOptionsLTType can take.
List of values that TaxRegistrationCountryOptionsLTType can take.
List of values that TaxRegistrationCountryOptionsLuStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsLuStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsLuType can take.
List of values that TaxRegistrationCountryOptionsLuType can take.
List of values that TaxRegistrationCountryOptionsLuType can take.
List of values that TaxRegistrationCountryOptionsLuType can take.
List of values that TaxRegistrationCountryOptionsLVStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsLVStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsLVType can take.
List of values that TaxRegistrationCountryOptionsLVType can take.
List of values that TaxRegistrationCountryOptionsLVType can take.
List of values that TaxRegistrationCountryOptionsLVType can take.
List of values that TaxRegistrationCountryOptionsMaType can take.
List of values that TaxRegistrationCountryOptionsMdType can take.
List of values that TaxRegistrationCountryOptionsMeType can take.
List of values that TaxRegistrationCountryOptionsMkType can take.
List of values that TaxRegistrationCountryOptionsMrType can take.
List of values that TaxRegistrationCountryOptionsMTStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsMTStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsMTType can take.
List of values that TaxRegistrationCountryOptionsMTType can take.
List of values that TaxRegistrationCountryOptionsMTType can take.
List of values that TaxRegistrationCountryOptionsMTType can take.
List of values that TaxRegistrationCountryOptionsMXType can take.
List of values that TaxRegistrationCountryOptionsMyType can take.
List of values that TaxRegistrationCountryOptionsNgType can take.
List of values that TaxRegistrationCountryOptionsNLStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsNLStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsNLType can take.
List of values that TaxRegistrationCountryOptionsNLType can take.
List of values that TaxRegistrationCountryOptionsNLType can take.
List of values that TaxRegistrationCountryOptionsNLType can take.
List of values that TaxRegistrationCountryOptionsNoType can take.
List of values that TaxRegistrationCountryOptionsNpType can take.
List of values that TaxRegistrationCountryOptionsNzType can take.
List of values that TaxRegistrationCountryOptionsOmType can take.
List of values that TaxRegistrationCountryOptionsPeType can take.
List of values that TaxRegistrationCountryOptionsPLStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsPLStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsPLType can take.
List of values that TaxRegistrationCountryOptionsPLType can take.
List of values that TaxRegistrationCountryOptionsPLType can take.
List of values that TaxRegistrationCountryOptionsPLType can take.
List of values that TaxRegistrationCountryOptionsPTStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsPTStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsPTType can take.
List of values that TaxRegistrationCountryOptionsPTType can take.
List of values that TaxRegistrationCountryOptionsPTType can take.
List of values that TaxRegistrationCountryOptionsPTType can take.
List of values that TaxRegistrationCountryOptionsROStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsROStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsROType can take.
List of values that TaxRegistrationCountryOptionsROType can take.
List of values that TaxRegistrationCountryOptionsROType can take.
List of values that TaxRegistrationCountryOptionsROType can take.
List of values that TaxRegistrationCountryOptionsRsType can take.
List of values that TaxRegistrationCountryOptionsRUType can take.
List of values that TaxRegistrationCountryOptionsSaType can take.
List of values that TaxRegistrationCountryOptionsSeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsSeStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsSeType can take.
List of values that TaxRegistrationCountryOptionsSeType can take.
List of values that TaxRegistrationCountryOptionsSeType can take.
List of values that TaxRegistrationCountryOptionsSeType can take.
List of values that TaxRegistrationCountryOptionsSgType can take.
List of values that TaxRegistrationCountryOptionsSiStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsSiStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsSiType can take.
List of values that TaxRegistrationCountryOptionsSiType can take.
List of values that TaxRegistrationCountryOptionsSiType can take.
List of values that TaxRegistrationCountryOptionsSiType can take.
List of values that TaxRegistrationCountryOptionsSKStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsSKStandardPlaceOfSupplyScheme can take.
List of values that TaxRegistrationCountryOptionsSKType can take.
List of values that TaxRegistrationCountryOptionsSKType can take.
List of values that TaxRegistrationCountryOptionsSKType can take.
List of values that TaxRegistrationCountryOptionsSKType can take.
List of values that TaxRegistrationCountryOptionsSnType can take.
List of values that TaxRegistrationCountryOptionsSrType can take.
List of values that TaxRegistrationCountryOptionsTHType can take.
List of values that TaxRegistrationCountryOptionsTjType can take.
List of values that TaxRegistrationCountryOptionsTRType can take.
List of values that TaxRegistrationCountryOptionsTzType can take.
List of values that TaxRegistrationCountryOptionsUgType can take.
List of values that TaxRegistrationCountryOptionsUSStateSalesTaxElectionType can take.
List of values that TaxRegistrationCountryOptionsUSStateSalesTaxElectionType can take.
List of values that TaxRegistrationCountryOptionsUSStateSalesTaxElectionType can take.
List of values that TaxRegistrationCountryOptionsUSType can take.
List of values that TaxRegistrationCountryOptionsUSType can take.
List of values that TaxRegistrationCountryOptionsUSType can take.
List of values that TaxRegistrationCountryOptionsUSType can take.
List of values that TaxRegistrationCountryOptionsUSType can take.
List of values that TaxRegistrationCountryOptionsUyType can take.
List of values that TaxRegistrationCountryOptionsUzType can take.
List of values that TaxRegistrationCountryOptionsVnType can take.
List of values that TaxRegistrationCountryOptionsZaType can take.
List of values that TaxRegistrationCountryOptionsZmType can take.
List of values that TaxRegistrationCountryOptionsZwType can take.
List of values that TaxRegistrationStatus can take.
List of values that TaxRegistrationStatus can take.
List of values that TaxRegistrationStatus can take.
List of values that TaxSettingsDefaultsTaxBehavior can take.
List of values that TaxSettingsDefaultsTaxBehavior can take.
List of values that TaxSettingsDefaultsTaxBehavior can take.
List of values that TaxSettingsStatus can take.
List of values that TaxSettingsStatus can take.
List of values that TaxTransactionCustomerDetailsAddressSource can take.
List of values that TaxTransactionCustomerDetailsAddressSource can take.
List of values that TaxTransactionCustomerDetailsTaxabilityOverride can take.
List of values that TaxTransactionCustomerDetailsTaxabilityOverride can take.
List of values that TaxTransactionCustomerDetailsTaxabilityOverride can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionCustomerDetailsTaxIDType can take.
List of values that TaxTransactionLineItemTaxBehavior can take.
List of values that TaxTransactionLineItemTaxBehavior can take.
List of values that TaxTransactionLineItemType can take.
List of values that TaxTransactionLineItemType can take.
List of values that TaxTransactionShippingCostTaxBehavior can take.
List of values that TaxTransactionShippingCostTaxBehavior can take.
List of values that TaxTransactionShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxTransactionShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxTransactionShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxTransactionShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxTransactionShippingCostTaxBreakdownJurisdictionLevel can take.
List of values that TaxTransactionShippingCostTaxBreakdownSourcing can take.
List of values that TaxTransactionShippingCostTaxBreakdownSourcing can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxabilityReason can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionShippingCostTaxBreakdownTaxRateDetailsTaxType can take.
List of values that TaxTransactionType can take.
List of values that TaxTransactionType can take.
List of values that TerminalReaderActionRefundPaymentReason can take.
List of values that TerminalReaderActionRefundPaymentReason can take.
List of values that TerminalReaderActionRefundPaymentReason can take.
List of values that TerminalReaderActionSetReaderDisplayType can take.
List of values that TerminalReaderActionStatus can take.
List of values that TerminalReaderActionStatus can take.
List of values that TerminalReaderActionStatus can take.
List of values that TerminalReaderActionType can take.
List of values that TerminalReaderActionType can take.
List of values that TerminalReaderActionType can take.
List of values that TerminalReaderActionType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderDeviceType can take.
List of values that TerminalReaderStatus can take.
List of values that TerminalReaderStatus can take.
List of values that TestHelpersTestClockStatus can take.
List of values that TestHelpersTestClockStatus can take.
List of values that TestHelpersTestClockStatus can take.
List of values that TokenType can take.
List of values that TokenType can take.
List of values that TokenType can take.
List of values that TokenType can take.
List of values that TokenType can take.
List of values that TopupStatus can take.
List of values that TopupStatus can take.
List of values that TopupStatus can take.
List of values that TopupStatus can take.
List of values that TopupStatus can take.
List of values that TransferSourceType can take.
List of values that TransferSourceType can take.
List of values that TransferSourceType can take.
List of values that TreasuryCreditReversalNetwork can take.
List of values that TreasuryCreditReversalNetwork can take.
List of values that TreasuryCreditReversalStatus can take.
List of values that TreasuryCreditReversalStatus can take.
List of values that TreasuryCreditReversalStatus can take.
List of values that TreasuryDebitReversalNetwork can take.
List of values that TreasuryDebitReversalNetwork can take.
List of values that TreasuryDebitReversalStatus can take.
List of values that TreasuryDebitReversalStatus can take.
List of values that TreasuryDebitReversalStatus can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountActiveFeature can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatus can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatus can take.
List of values that TreasuryFinancialAccountFeaturesCardIssuingStatus can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatus can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatus can take.
List of values that TreasuryFinancialAccountFeaturesDepositInsuranceStatus can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatus can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatus can take.
List of values that TreasuryFinancialAccountFeaturesFinancialAddressesABAStatus can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesInboundTransfersACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatus can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatus can take.
List of values that TreasuryFinancialAccountFeaturesIntraStripeFlowsStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundPaymentsUSDomesticWireStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersACHStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailCode can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailResolution can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatusDetailRestriction can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatus can take.
List of values that TreasuryFinancialAccountFeaturesOutboundTransfersUSDomesticWireStatus can take.
List of values that TreasuryFinancialAccountFinancialAddressSupportedNetwork can take.
List of values that TreasuryFinancialAccountFinancialAddressSupportedNetwork can take.
List of values that TreasuryFinancialAccountFinancialAddressType can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPendingFeature can take.
List of values that TreasuryFinancialAccountPlatformRestrictionsInboundFlows can take.
List of values that TreasuryFinancialAccountPlatformRestrictionsInboundFlows can take.
List of values that TreasuryFinancialAccountPlatformRestrictionsOutboundFlows can take.
List of values that TreasuryFinancialAccountPlatformRestrictionsOutboundFlows can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountRestrictedFeature can take.
List of values that TreasuryFinancialAccountStatus can take.
List of values that TreasuryFinancialAccountStatusDetailsClosedReason can take.
List of values that TreasuryFinancialAccountStatusDetailsClosedReason can take.
List of values that TreasuryFinancialAccountStatusDetailsClosedReason can take.
List of values that TreasuryFinancialAccountStatus can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferFailureDetailsCode can take.
List of values that TreasuryInboundTransferOriginPaymentMethodDetailsType can take.
List of values that TreasuryInboundTransferOriginPaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that TreasuryInboundTransferOriginPaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that TreasuryInboundTransferOriginPaymentMethodDetailsUSBankAccountAccountType can take.
List of values that TreasuryInboundTransferOriginPaymentMethodDetailsUSBankAccountAccountType can take.
List of values that TreasuryInboundTransferOriginPaymentMethodDetailsUSBankAccountNetwork can take.
List of values that TreasuryInboundTransferStatus can take.
List of values that TreasuryInboundTransferStatus can take.
List of values that TreasuryInboundTransferStatus can take.
List of values that TreasuryInboundTransferStatus can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsFinancialAccountNetwork can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsType can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsType can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsUSBankAccountAccountType can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsUSBankAccountAccountType can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsUSBankAccountNetwork can take.
List of values that TreasuryOutboundPaymentDestinationPaymentMethodDetailsUSBankAccountNetwork can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentReturnedDetailsCode can take.
List of values that TreasuryOutboundPaymentStatus can take.
List of values that TreasuryOutboundPaymentStatus can take.
List of values that TreasuryOutboundPaymentStatus can take.
List of values that TreasuryOutboundPaymentStatus can take.
List of values that TreasuryOutboundPaymentStatus can take.
List of values that TreasuryOutboundPaymentTrackingDetailsType can take.
List of values that TreasuryOutboundPaymentTrackingDetailsType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsFinancialAccountNetwork can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsUSBankAccountAccountHolderType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsUSBankAccountAccountType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsUSBankAccountAccountType can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsUSBankAccountNetwork can take.
List of values that TreasuryOutboundTransferDestinationPaymentMethodDetailsUSBankAccountNetwork can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferReturnedDetailsCode can take.
List of values that TreasuryOutboundTransferStatus can take.
List of values that TreasuryOutboundTransferStatus can take.
List of values that TreasuryOutboundTransferStatus can take.
List of values that TreasuryOutboundTransferStatus can take.
List of values that TreasuryOutboundTransferStatus can take.
List of values that TreasuryOutboundTransferTrackingDetailsType can take.
List of values that TreasuryOutboundTransferTrackingDetailsType can take.
List of values that TreasuryReceivedCreditFailureCode can take.
List of values that TreasuryReceivedCreditFailureCode can take.
List of values that TreasuryReceivedCreditFailureCode can take.
List of values that TreasuryReceivedCreditFailureCode can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsBalance can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsFinancialAccountNetwork can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedCreditInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedCreditLinkedFlowsSourceFlowDetailsType can take.
List of values that TreasuryReceivedCreditLinkedFlowsSourceFlowDetailsType can take.
List of values that TreasuryReceivedCreditLinkedFlowsSourceFlowDetailsType can take.
List of values that TreasuryReceivedCreditLinkedFlowsSourceFlowDetailsType can take.
List of values that TreasuryReceivedCreditLinkedFlowsSourceFlowDetailsType can take.
List of values that TreasuryReceivedCreditNetwork can take.
List of values that TreasuryReceivedCreditNetwork can take.
List of values that TreasuryReceivedCreditNetwork can take.
List of values that TreasuryReceivedCreditNetwork can take.
List of values that TreasuryReceivedCreditReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedCreditReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedCreditReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedCreditReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedCreditReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedCreditStatus can take.
List of values that TreasuryReceivedCreditStatus can take.
List of values that TreasuryReceivedDebitFailureCode can take.
List of values that TreasuryReceivedDebitFailureCode can take.
List of values that TreasuryReceivedDebitFailureCode can take.
List of values that TreasuryReceivedDebitFailureCode can take.
List of values that TreasuryReceivedDebitFailureCode can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsBalance can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsFinancialAccountNetwork can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedDebitInitiatingPaymentMethodDetailsType can take.
List of values that TreasuryReceivedDebitNetwork can take.
List of values that TreasuryReceivedDebitNetwork can take.
List of values that TreasuryReceivedDebitNetwork can take.
List of values that TreasuryReceivedDebitReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedDebitReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedDebitReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedDebitReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedDebitReversalDetailsRestrictedReason can take.
List of values that TreasuryReceivedDebitStatus can take.
List of values that TreasuryReceivedDebitStatus can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowDetailsType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryFlowType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionEntryType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowDetailsType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionFlowType can take.
List of values that TreasuryTransactionStatus can take.
List of values that TreasuryTransactionStatus can take.
List of values that TreasuryTransactionStatus can take.
UnknownPlatform is the string returned as the system name if we couldn't get one from `uname`.
UploadsBackend is a constant representing the uploads service backend.
UploadsURL is the URL of the uploads service backend.
Possible values for the action parameter on usage record creation.
Possible values for the action parameter on usage record creation.

# Variables

DefaultLeveledLogger is the default logger that the library will use to log errors, warnings, and informational messages.
EnableTelemetry is a global override for enabling client telemetry, which sends request performance metrics to Stripe via the `X-Stripe-Client-Telemetry` header.
Key is the Stripe API key used globally in the binding.

# Structs

This is an object representing a Stripe account.
Business information about the account.
The applicant's gross annual revenue for its preceding fiscal year.
The applicant's gross annual revenue for its preceding fiscal year.
An estimate of the monthly revenue of the business.
Business information about the account.
The acss_debit_payments capability.
The affirm_payments capability.
The afterpay_clearpay_payments capability.
The alma_payments capability.
The amazon_pay_payments capability.
The au_becs_debit_payments capability.
The bacs_debit_payments capability.
The bancontact_payments capability.
The bank_transfer_payments capability.
The blik_payments capability.
The boleto_payments capability.
The card_issuing capability.
The card_payments capability.
The cartes_bancaires_payments capability.
The cashapp_payments capability.
The eps_payments capability.
The fpx_payments capability.
The gb_bank_transfer_payments capability.
The giropay_payments capability.
The grabpay_payments capability.
The ideal_payments capability.
The india_international_payments capability.
The jcb_payments capability.
The jp_bank_transfer_payments capability.
The kakao_pay_payments capability.
The klarna_payments capability.
The konbini_payments capability.
The kr_card_payments capability.
The legacy_payments capability.
The link_payments capability.
The mobilepay_payments capability.
The multibanco_payments capability.
The mx_bank_transfer_payments capability.
The naver_pay_payments capability.
The oxxo_payments capability.
The p24_payments capability.
Each key of the dictionary represents a capability, and each capability maps to its settings (for example, whether it has been requested or not).
The pay_by_bank_payments capability.
The payco_payments capability.
The paynow_payments capability.
The promptpay_payments capability.
The revolut_pay_payments capability.
The samsung_pay_payments capability.
The sepa_bank_transfer_payments capability.
The sepa_debit_payments capability.
The sofort_payments capability.
The swish_payments capability.
The tax_reporting_us_1099_k capability.
The tax_reporting_us_1099_misc capability.
The transfers capability.
The treasury capability.
The twint_payments capability.
The us_bank_account_ach_payments capability.
The us_bank_transfer_payments capability.
The zip_payments capability.
The Kana variation of the company's primary address (Japan only).
The Kana variation of the company's primary address (Japan only).
The Kanji variation of the company's primary address (Japan only).
The Kanji variation of the company's primary address (Japan only).
This hash is used to attest that the director information provided to Stripe is both current and correct.
This hash is used to attest that the directors information provided to Stripe is both current and correct.
This hash is used to attest that the beneficial owner information provided to Stripe is both current and correct.
This hash is used to attest that the beneficial owner information provided to Stripe is both current and correct.
Information about the company or business.
Information on the verification state of the company.
A document verifying the business.
Information on the verification state of the company.
A hash of configuration for who pays Stripe fees for product usage on this account.
A hash of configuration for products that have negative balance liability, and whether Stripe or a Connect application is responsible for them.
A hash of configuration describing the account controller's attributes.
A hash of configuration for Stripe-hosted dashboards.
One or more documents that support the [Bank account ownership verification](https://support.stripe.com/questions/bank-account-ownership-verification) requirement.
One or more documents that demonstrate proof of a company's license to operate.
One or more documents showing the company's Memorandum of Association.
(Certain countries only) One or more documents showing the ministerial decree legalizing the company's establishment.
One or more documents that demonstrate proof of a company's registration with the appropriate local authorities.
One or more documents that demonstrate proof of a company's tax ID.
Documents that may be submitted to satisfy various informational requests.
One or more documents showing the company's proof of registration with the national business registry.
One or more documents that demonstrate proof of ultimate beneficial ownership.
AccountExternalAccountList is a list of external accounts that may be either bank accounts or cards.
AccountExternalAccountParams are the parameters allowed to reference an external account when creating an account.
Fields that are due and can be satisfied by providing the corresponding alternative fields instead.
Fields that are `currently_due` and need to be collected again because validation or verification failed.
The groups associated with the account.
A hash of account group type to tokens.
Account Links are the means by which a Connect platform grants a connected account permission to access Stripe-hosted applications, such as Connect Onboarding.
Specifies the requirements that Stripe collects from connected accounts in the Connect Onboarding flow.
Creates an AccountLink object that includes a single-use Stripe URL that the platform can redirect their user to in order to take them through the Connect Onboarding flow.
AccountList is a list of Accounts as retrieved from a list endpoint.
Returns a list of accounts connected to your platform via [Connect](https://stripe.com/docs/connect).
With [Connect](https://stripe.com/connect), you can delete accounts you manage.
With [Connect](https://stripe.com/connect), you can reject accounts that you have flagged as suspicious.
Fields that are due and can be satisfied by providing the corresponding alternative fields instead.
Fields that are `currently_due` and need to be collected again because validation or verification failed.
An AccountSession allows a Connect platform to grant access to a connected account in Connect embedded components.
The list of features enabled in the embedded component.
Configuration for the account management embedded component.
The list of features enabled in the embedded component.
Configuration for the account onboarding embedded component.
The list of features enabled in the embedded component.
Configuration for the balances embedded component.
The list of features enabled in the embedded component.
Configuration for the documents embedded component.
The list of features enabled in the embedded component.
Configuration for the financial account embedded component.
The list of features enabled in the embedded component.
Configuration for the financial account transactions embedded component.
The list of features enabled in the embedded component.
Configuration for the issuing card embedded component.
The list of features enabled in the embedded component.
Configuration for the issuing cards list embedded component.
The list of features enabled in the embedded component.
Configuration for the notification banner embedded component.
Each key of the dictionary represents an embedded component, and each embedded component maps to its configuration (e.g.
The list of features enabled in the embedded component.
Configuration for the payment details embedded component.
The list of features enabled in the embedded component.
Configuration for the payments embedded component.
The list of features enabled in the embedded component.
The list of features enabled in the embedded component.
Configuration for the payouts list embedded component.
Configuration for the payouts embedded component.
The list of features enabled in the embedded component.
Configuration for the tax registrations embedded component.
The list of features enabled in the embedded component.
Configuration for the tax settings embedded component.
Creates a AccountSession object that includes a single-use token that the platform can use on their front-end to grant client-side API access.
Options for customizing how the account functions within Stripe.
Settings specific to Bacs Direct Debit payments.
Settings used to apply the account's branding to email receipts, invoices, Checkout, and other products.
Settings specific to the account's use of the Card Issuing product.
Details on the account's acceptance of the [Stripe Issuing Terms and Disclosures](https://stripe.com/issuing/connect/tos_acceptance).
Automatically declines certain charge types regardless of whether the card issuer accepted or declined the charge.
Settings specific to card charging on the account.
Settings specific to the account's use of Invoices.
Options for customizing how the account functions within Stripe.
Settings that apply across payment methods for charging on the account.
Settings specific to the account's payouts.
Details on when funds from charges are available, and when they are paid out to an external account.
Settings specific to the account's Treasury FinancialAccounts.
Details on the account's acceptance of the Stripe Treasury Services Agreement.
Details on the account's acceptance of the [Stripe Services Agreement](https://stripe.com/connect/updating-accounts#tos-acceptance).
Address describes common properties for an Address hash.
AddressParams describes the common parameters for an Address.
Available funds that you can transfer or pay out automatically by Stripe or explicitly through the [Transfers API](https://stripe.com/docs/api#transfers) or [Payouts API](https://stripe.com/docs/api#payouts).
APIError is a catch all for any errors not covered by other types (and should be extremely uncommon).
APIResource is a type assigned to structs that may come from Stripe API endpoints and contains facilities common to all of them.
APIResponse encapsulates some common features of a response from the Stripe API.
APIStream is a type assigned to streaming responses that may come from Stripe API.
AppInfo contains information about the "app" which this integration belongs to.
ApplePayDomainList is a list of ApplePayDomains as retrieved from a list endpoint.
List apple pay domains.
Delete an apple pay domain.
Polymorphic source of the application fee.
ApplicationFeeList is a list of ApplicationFees as retrieved from a list endpoint.
Returns a list of application fees you've previously collected.
Retrieves the details of an application fee that your account has collected.
Secret Store is an API that allows Stripe Apps developers to securely persist secrets for use by UI Extensions and app backends.
Deletes a secret from the secret store by name and scope.
Specifies the scoping of the secret.
Finds a secret in the secret store by name and scope.
Specifies the scoping of the secret.
AppsSecretList is a list of Secrets as retrieved from a list endpoint.
List all secrets stored on the given scope.
Specifies the scoping of the secret.
Create or replace a secret in the secret store.
Specifies the scoping of the secret.
AuthorizeURLParams for creating OAuth AuthorizeURLs.
BackendConfig is used to configure a new Stripe backend.
BackendImplementation is the internal implementation for making HTTP calls to Stripe.
Backends are the currently supported endpoints.
This is an object representing your Stripe balance.
Breakdown of balance by destination.
Retrieves the current account balance, based on the authentication that was used to make the request.
Balance transactions represent funds moving through your Stripe account.
Detailed breakdown of fees (in cents (or local equivalent)) paid for this transaction.
BalanceTransactionList is a list of BalanceTransactions as retrieved from a list endpoint.
Returns a list of transactions that have contributed to the Stripe account balance (e.g., charges, transfers, and so forth).
Retrieves the balance transaction with the given ID.
These bank accounts are payment methods on `Customer` objects.
One or more documents that support the [Bank account ownership verification](https://support.stripe.com/questions/bank-account-ownership-verification) requirement.
Documents that may be submitted to satisfy various informational requests.
Information about the [upcoming new requirements for the bank account](https://stripe.com/docs/connect/custom-accounts/future-requirements), including what information needs to be collected, and by when.
Fields that are `currently_due` and need to be collected again because validation or verification failed.
BankAccountList is a list of BankAccounts as retrieved from a list endpoint.
Delete a specified external account for a given account.
Information about the requirements for the bank account, including what information needs to be collected.
Fields that are `currently_due` and need to be collected again because validation or verification failed.
A billing alert is a resource that notifies you when a certain usage threshold on a meter is crossed.
Reactivates this alert, allowing it to trigger again.
Archives this alert, removing it from the list view and APIs.
Deactivates this alert, preventing it from triggering.
BillingAlertList is a list of Alerts as retrieved from a list endpoint.
Lists billing active and inactive alerts.
Creates a billing alert.
Encapsulates configuration of the alert to monitor usage on a specific [Billing Meter](https://stripe.com/docs/api/billing/meter).
The filters allow limiting the scope of this usage alert.
The filters allows limiting the scope of this usage alert.
The configuration of the usage threshold.
Indicates the billing credit balance for billing credits granted to a customer.
The billing credit balances.
The monetary amount.
The monetary amount.
The billing credit applicability scope for which to fetch credit balance summary.
A list of prices that the credit grant can apply to.
The filter criteria for the credit balance summary.
Retrieves the credit balance summary for a customer.
A credit balance transaction is a resource representing a transaction (either a credit or a debit) against an existing credit grant.
Credit details for this credit balance transaction.
The monetary amount.
Details of the invoice to which the reinstated credits were originally applied.
Debit details for this credit balance transaction.
The monetary amount.
Details of how the billing credits were applied to an invoice.
BillingCreditBalanceTransactionList is a list of CreditBalanceTransactions as retrieved from a list endpoint.
Retrieve a list of credit balance transactions.
Retrieves a credit balance transaction.
A credit grant is an API resource that documents the allocation of some billing credits to a customer.
The monetary amount.
The monetary amount.
Amount of this credit grant.
Configuration specifying what this credit grant applies to.
Specify the scope of this applicability config.
The prices that credit grants can apply to.
A list of prices that the credit grant can apply to.
Expires a credit grant.
BillingCreditGrantList is a list of CreditGrants as retrieved from a list endpoint.
Retrieve a list of credit grants.
Creates a credit grant.
Voids a credit grant.
Meters specify how to aggregate meter events over a billing period.
Fields that specify how to map a meter event to a customer.
When a meter is deactivated, no more meter events will be accepted for this meter.
The default settings to aggregate a meter's events with.
Meter events represent actions that customers take in your system.
A billing meter event adjustment is a resource that allows you to cancel a meter event.
Specifies which event to cancel.
Specifies which event to cancel.
Creates a billing meter event adjustment.
Creates a billing meter event.
A billing meter event summary represents an aggregated view of a customer's billing meter events within a specified timeframe.
BillingMeterEventSummaryList is a list of MeterEventSummaries as retrieved from a list endpoint.
Retrieve a list of billing meter event summaries.
BillingMeterList is a list of Meters as retrieved from a list endpoint.
Retrieve a list of billing meters.
Creates a billing meter.
When a meter is reactivated, events for this meter can be accepted and you can attach the meter to a price.
Fields that specify how to calculate a meter event's value.
A portal configuration describes the functionality and behavior of a portal session.
The business information shown to customers in the portal.
Information about updating the customer details in the portal.
Information about showing the billing history in the portal.
Information about the features available in the portal.
Information about updating payment methods in the portal.
Whether the cancellation reasons will be collected in the portal and which options are exposed to the customer.
Information about canceling subscriptions in the portal.
Information about updating subscriptions in the portal.
The list of up to 10 products that support subscription updates.
The list of up to 10 products that support subscription updates.
List of conditions.
List of conditions.
Setting to control when an update should be scheduled at the end of the period instead of applying immediately.
BillingPortalConfigurationList is a list of Configurations as retrieved from a list endpoint.
Returns a list of configurations that describe the functionality of the customer portal.
The hosted login page for this configuration.
Creates a configuration that describes the functionality and behavior of a PortalSession.
The Billing customer portal is a Stripe-hosted UI for subscription and billing management.
Information about a specific flow for the customer to go through.
Configuration when `after_completion.type=hosted_confirmation`.
Configuration when `after_completion.type=redirect`.
Configuration when `after_completion.type=hosted_confirmation`.
Behavior after the flow is completed.
Configuration when `after_completion.type=redirect`.
Information about a specific flow for the customer to go through.
Configuration when `flow_data.type=subscription_cancel`.
Configuration when `retention.type=coupon_offer`.
Specify a retention strategy to be used in the cancellation flow.
The coupon or promotion code to apply to this subscription update.
The [subscription item](https://stripe.com/docs/api/subscription_items) to be updated through this flow.
Configuration when `flow_data.type=subscription_update_confirm`.
Configuration when `flow_data.type=subscription_update`.
Configuration when `flow.type=subscription_cancel`.
Specify a retention strategy to be used in the cancellation flow.
Configuration when `retention.type=coupon_offer`.
Configuration when `flow.type=subscription_update`.
Configuration when `flow.type=subscription_update_confirm`.
The coupon or promotion code to apply to this subscription update.
The [subscription item](https://stripe.com/docs/api/subscription_items) to be updated through this flow.
Creates a session of the customer portal.
This is an object representing a capability for a Stripe account.
Fields that are due and can be satisfied by providing the corresponding alternative fields instead.
Fields that are `currently_due` and need to be collected again because validation or verification failed.
CapabilityList is a list of Capabilities as retrieved from a list endpoint.
Returns a list of capabilities associated with the account.
Retrieves information about the specified Account Capability.
Fields that are due and can be satisfied by providing the corresponding alternative fields instead.
You can store multiple cards on a customer in order to charge the customer later.
CardError are the most common type of error you should expect to handle.
CardList is a list of Cards as retrieved from a list endpoint.
Delete a specified source for a given customer.
A customer's `Cash balance` represents real funds.
Retrieves a customer's cash balance.
A hash of settings for this cash balance.
The `Charge` object represents a single attempt to move money into your Stripe account.
Capture the payment of an existing, uncaptured charge that was created with the capture option set to false.
An optional dictionary including the account to automatically transfer to as part of a destination charge.
Information on fraud assessments for the charge.
A set of key-value pairs you can attach to a charge giving information about its riskiness.
ChargeList is a list of Charges as retrieved from a list endpoint.
Returns a list of charges you've previously created.
Details about whether the payment was accepted, and why.
The ID of the Radar rule that matched the payment, if applicable.
This method is no longer recommended—use the [Payment Intents API](https://stripe.com/docs/api/payment_intents) to initiate a new payment instead.
Details about the payment method at the time of the transaction.
Check results by Card networks on Card address and CVC at time of payment.
Installment details for this payment (Mexico only).
If this card has network token credentials, this contains the details of the network token credentials.
Details about payments collected offline.
A collection of fields required to be displayed on receipts.
Populated if this transaction used 3D Secure authentication.
If this Card is part of a card wallet, this contains the details of the card wallet.
A collection of fields required to be displayed on receipts.
The payer details for this transaction.
The payer's address.
If the payment succeeded, this contains the details of the convenience store where the payment was completed.
Internal card details.
The level of protection offered as defined by PayPal Seller Protection for Merchants, for this transaction.
Options to configure Radar.
Options to configure Radar.
Search for charges you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
ChargeSearchResult is a list of Charge search results as retrieved from a search endpoint.
An optional dictionary including the account to automatically transfer to as part of a destination charge.
An optional dictionary including the account to automatically transfer to as part of a destination charge.
A Checkout Session represents your customer's session as they pay for one-time purchases or subscriptions through [Checkout](https://stripe.com/docs/payments/checkout) or [Payment Links](https://stripe.com/docs/payments/payment-links).
Settings for price localization with [Adaptive Pricing](https://docs.stripe.com/payments/checkout/adaptive-pricing).
Settings for price localization with [Adaptive Pricing](https://docs.stripe.com/payments/checkout/adaptive-pricing).
When set, provides configuration for actions to take if this Checkout Session expires.
Configure actions after a Checkout Session has expired.
When set, configuration used to recover the Checkout Session on expiry.
Configure a Checkout Session that can be used to recover an expired session.
The account that's liable for tax.
The account that's liable for tax.
Settings for automatic tax lookup for this session and resulting payments, invoices, and subscriptions.
Information about the customer collected within the Checkout Session.
Information about the customer collected within the Checkout Session.
The shipping details to apply to this Session.
Results of `consent_collection` for this session.
When set, provides configuration for the Checkout Session to gather active consent from customers.
Configure fields for the Checkout Session to gather active consent from customers.
If set to `hidden`, it will hide legal text related to the reuse of a payment method.
Determines the display of payment method reuse agreement text in the UI.
Currency conversion details for [Adaptive Pricing](https://docs.stripe.com/payments/checkout/adaptive-pricing) sessions.
The customer details including the customer's tax exempt status and the customer's tax IDs.
The customer's tax IDs after a completed Checkout Session.
Controls what fields on Customer can be updated by the Checkout Session.
Collect additional information from your customer using custom fields.
The options available for the customer to select.
The options available for the customer to select.
Configuration for `type=dropdown` fields.
The label for the field, displayed to the customer.
Configuration for `type=numeric` fields.
Collect additional information from your customer using custom fields.
Configuration for `type=text` fields.
Custom text that should be displayed after the payment confirmation button.
Custom text that should be displayed after the payment confirmation button.
Display additional text for your customers using custom text.
Custom text that should be displayed alongside shipping address collection.
Custom text that should be displayed alongside shipping address collection.
Custom text that should be displayed alongside the payment confirmation button.
Custom text that should be displayed alongside the payment confirmation button.
Custom text that should be displayed in place of the default terms of service agreement text.
Custom text that should be displayed in place of the default terms of service agreement text.
List of coupons and promotion codes attached to the Checkout Session.
The coupon or promotion code to apply to this Session.
A Session can be expired when it is in one of these statuses: open After it expires, a customer can't complete a Session and customers loading the Session see a message saying the Session is expired.
Details on the state of invoice creation for the Checkout Session.
Custom fields displayed on the invoice.
Default custom fields to be displayed on invoices for this customer.
The connected account that issues the invoice.
The connected account that issues the invoice.
Parameters passed when creating invoices for payment-mode Checkout Sessions.
Options for invoice PDF rendering.
Default options for invoice PDF rendering for this customer.
Generate a post-purchase Invoice for one-time payments.
When set, provides configuration for this item's quantity to be adjusted by the customer during Checkout.
A list of items the customer is purchasing.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
Data used to generate a new product object inline.
The recurring components of a price such as `interval` and `interval_count`.
CheckoutSessionList is a list of Sessions as retrieved from a list endpoint.
Only return the Checkout Sessions for the Customer details specified.
When retrieving a Checkout Session, there is an includable line_items property containing the first handful of those items.
Returns a list of Checkout Sessions.
Creates a Session object.
A subset of parameters to be passed to PaymentIntent creation for Checkout Sessions in `payment` mode.
The parameters used to automatically create a Transfer when the payment succeeds.
Information about the payment method configuration used for this Checkout session if using dynamic payment methods.
This parameter allows you to set some attributes on the payment method created during a Checkout session.
Payment-method-specific configuration for the PaymentIntent or SetupIntent of this CheckoutSession.
Additional fields for Mandate creation.
contains details about the ACSS Debit payment method options.
contains details about the Affirm payment method options.
contains details about the Afterpay Clearpay payment method options.
contains details about the Alipay payment method options.
contains details about the AmazonPay payment method options.
contains details about the AU Becs Debit payment method options.
Additional fields for Mandate creation.
contains details about the Bacs Debit payment method options.
contains details about the Bancontact payment method options.
contains details about the Boleto payment method options.
Installment options for card payments.
contains details about the Card payment method options.
Restrictions to apply to the card payment method.
contains details about the Cashapp Pay payment method options.
Configuration for eu_bank_transfer funding type.
Configuration for the bank transfer funding type, if the `funding_type` is set to `bank_transfer`.
contains details about the Customer Balance payment method options.
contains details about the EPS payment method options.
contains details about the FPX payment method options.
contains details about the Giropay payment method options.
contains details about the Grabpay payment method options.
contains details about the Ideal payment method options.
contains details about the Kakao Pay payment method options.
contains details about the Klarna payment method options.
contains details about the Konbini payment method options.
contains details about the Korean card payment method options.
contains details about the Link payment method options.
contains details about the Mobilepay payment method options.
contains details about the Multibanco payment method options.
contains details about the Naver Pay payment method options.
contains details about the OXXO payment method options.
contains details about the P24 payment method options.
Payment-method-specific configuration.
contains details about the Pay By Bank payment method options.
contains details about the PAYCO payment method options.
contains details about the PayNow payment method options.
contains details about the PayPal payment method options.
contains details about the Pix payment method options.
contains details about the RevolutPay payment method options.
contains details about the Samsung Pay payment method options.
Additional fields for Mandate creation.
contains details about the Sepa Debit payment method options.
contains details about the Sofort payment method options.
contains details about the Swish payment method options.
Additional fields for Financial Connections Session creation.
contains details about the Us Bank Account payment method options.
contains details about the WeChat Pay payment method options.
Controls phone number collection settings for the session.
Controls saved payment method settings for the session.
Controls saved payment method settings for the session.
A subset of parameters to be passed to SetupIntent creation for Checkout Sessions in `setup` mode.
When set, provides configuration for Checkout to collect a shipping address from a customer.
When set, provides configuration for Checkout to collect a shipping address from a customer.
The details of the customer cost of shipping, including the customer chosen ShippingRate.
The taxes applied to the shipping rate.
The shipping rate options applied to this Session.
The shipping rate options to apply to this Session.
The upper bound of the estimated range.
The lower bound of the estimated range.
The estimated range for how long shipping will take, meant to be displayable to the customer.
Shipping rates defined in each available currency option.
Describes a fixed amount to charge for shipping.
Parameters to be passed to Shipping Rate creation for this shipping option.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
A subset of parameters to be passed to subscription creation for Checkout Sessions in `subscription` mode.
If specified, the funds from the subscription's invoices will be transferred to the destination and the ID of the resulting transfers will be found on the resulting charges.
Defines how the subscription should behave when the user's free trial ends.
Settings related to subscription trials.
Controls tax ID collection during checkout.
Tax and discount details for the computed total amount.
The aggregated discounts.
The aggregated tax amounts by rate.
Orders represent your intent to purchase a particular Climate product.
Publicly sharable reference for the end beneficiary of carbon removal.
Cancels a Climate order.
Details about the delivery of carbon removal for this order.
Specific location of this delivery.
ClimateOrderList is a list of Orders as retrieved from a list endpoint.
Lists all Climate order objects.
Creates a Climate order object for a given Climate product.
A Climate product represents a type of carbon removal unit available for reservation.
Current prices for a metric ton of carbon removal in a currency's smallest unit.
ClimateProductList is a list of Products as retrieved from a list endpoint.
Lists all available Climate product objects.
Retrieves the details of a Climate product with the given ID.
A supplier of carbon removal.
ClimateSupplierList is a list of Suppliers as retrieved from a list endpoint.
Lists all available Climate supplier objects.
The locations in which this supplier operates.
Retrieves a Climate supplier object.
ConfirmationTokens help transport client side data collected by Stripe JS over to your server for confirming a PaymentIntent or SetupIntent.
Data used for generating a Mandate.
This hash contains details about the customer acceptance of the Mandate.
If this is a Mandate accepted online, this hash contains details about the online acceptance.
Retrieves an existing ConfirmationToken object.
Payment-method-specific configuration for this ConfirmationToken.
This hash contains the card payment method options.
Payment details collected by the Payment Element, used to create a PaymentMethod when a PaymentIntent or SetupIntent is confirmed with this ConfirmationToken.
Checks on Card address and CVC if provided.
Details of the original PaymentMethod that created this object.
Transaction-specific details of the payment method used in the payment.
Details about payments collected offline.
A collection of fields required to be displayed on receipts.
Contains information about card networks that can be used to process the payment.
Contains information about card networks that can be used to process the payment.
Details about payment methods collected offline.
Contains details on how this Card may be used for 3D Secure authentication.
If this Card is part of a card wallet, this contains the details of the card wallet.
Contains information about card networks that can be used to process the payment.
The customer's date of birth, if provided.
Information about the object that generated this PaymentMethod.
Contains information about US bank account networks that can be used.
Contains information about the future reusability of this PaymentMethod.
Shipping information collected on this ConfirmationToken.
Stripe needs to collect certain pieces of information about each account created.
CountrySpecList is a list of CountrySpecs as retrieved from a list endpoint.
Lists all Country Spec objects available in the API.
Returns a Country Spec for a given Country code.
A coupon contains information about a percent-off or amount-off discount you might want to apply to a customer.
A hash containing directions for what this Coupon will apply discounts to.
Coupons defined in each available currency option.
Coupons defined in each available currency option (only supported if the coupon is amount-based).
CouponList is a list of Coupons as retrieved from a list endpoint.
Returns a list of your coupons.
You can delete coupons via the [coupon management](https://dashboard.stripe.com/coupons) page of the Stripe dashboard.
Issue a credit note to adjust an invoice's amount after the invoice is finalized.
The integer amount in cents (or local equivalent) representing the total amount of discount that was credited.
CreditNoteLineItem is the resource representing a Stripe credit note line item.
The integer amount in cents (or local equivalent) representing the discount being credited for this line item.
CreditNoteLineItemList is a list of CreditNoteLineItems as retrieved from a list endpoint.
The pretax credit amounts (ex: discount, credit grants, etc) for this line item.
Line items that make up the credit note.
A list of up to 10 tax amounts for the credit note line item.
CreditNoteList is a list of CreditNotes as retrieved from a list endpoint.
When retrieving a credit note, you'll get a lines property containing the first handful of those items.
Returns a list of credit notes.
Issue a credit note to adjust the amount of a finalized invoice.
The pretax credit amounts (ex: discount, credit grants, etc) for all line items.
Line items that make up the credit note.
Line items that make up the credit note.
A list of up to 10 tax amounts for the credit note line item.
When retrieving a credit note preview, you'll get a lines property containing the first handful of those items.
When shipping_cost contains the shipping_rate from the invoice, the shipping_cost is included in the credit note.
A list of up to 10 tax amounts for the credit note line item.
Get a preview of a credit note without creating it.
When shipping_cost contains the shipping_rate from the invoice, the shipping_cost is included in the credit note.
The details of the cost of shipping, including the ShippingRate applied to the invoice.
When shipping_cost contains the shipping_rate from the invoice, the shipping_cost is included in the credit note.
The taxes applied to the shipping rate.
The aggregate amounts calculated per tax rate for all line items.
Marks a credit note as void.
This object represents a customer of your business.
Each customer has a [Balance](https://stripe.com/docs/api/customers/object#customer_object-balance) value, which denotes a debit or credit that's automatically applied to their next invoice upon finalization.
CustomerBalanceTransactionList is a list of CustomerBalanceTransactions as retrieved from a list endpoint.
Returns a list of transactions that updated the customer's [balances](https://stripe.com/docs/billing/customer/balance).
Creates an immutable transaction that updates the customer's credit [balance](https://stripe.com/docs/billing/customer/balance).
Balance information and default balance settings for this customer.
Settings controlling the behavior of the customer's cash balance, such as reconciliation of funds received.
Customers with certain payments enabled have a cash balance, representing funds that were paid by the customer to a merchant, but have not yet been allocated to a payment.
CustomerCashBalanceTransactionList is a list of CustomerCashBalanceTransactions as retrieved from a list endpoint.
Returns a list of transactions that modified the customer's [cash balance](https://stripe.com/docs/payments/customer-balance).
Retrieves a specific cash balance transaction, which updated the customer's [cash balance](https://stripe.com/docs/payments/customer-balance).
Configuration for eu_bank_transfer funding type.
Additional parameters for `bank_transfer` funding types.
Retrieve funding instructions for a customer cash balance.
Removes the currently applied discount on a customer.
Default custom fields to be displayed on invoices for this customer.
The list of up to 4 default custom fields to be displayed on invoices for this customer.
Default invoice settings for this customer.
Default options for invoice PDF rendering for this customer.
Default options for invoice PDF rendering for this customer.
CustomerList is a list of Customers as retrieved from a list endpoint.
Returns a list of your customers.
Returns a list of PaymentMethods for a given Customer.
Permanently deletes a customer.
Retrieves a PaymentMethod object for a given Customer.
Search for customers you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
CustomerSearchResult is a list of Customer search results as retrieved from a search endpoint.
A Customer Session allows you to grant Stripe's frontend SDKs (like Stripe.js) client-side access control over a Customer.
Configuration for the components supported by this Customer Session.
This hash contains whether the buy button is enabled.
Configuration for buy button.
Configuration for each component.
This hash contains whether the Payment Element is enabled and the features it supports.
This hash defines whether the Payment Element supports certain features.
This hash defines whether the Payment Element supports certain features.
Configuration for the Payment Element.
This hash contains whether the pricing table is enabled.
Configuration for the pricing table.
Creates a Customer Session object that includes a single-use client secret that you can use on your front-end to grant client-side API access for certain customer resources.
The customer's shipping information.
The customer's tax IDs.
The customer's location as identified by Stripe Tax.
Tax details about the customer.
Deauthorize is the value of the return from deauthorizing.
DeauthorizeParams for deauthorizing an account.
A discount represents the actual application of a [coupon](https://stripe.com/docs/api#coupons) or [promotion code](https://stripe.com/docs/api#promotion_codes).
A dispute occurs when a customer questions your charge with their card issuer.
Additional evidence for qualifying evidence programs.
Disputed transaction details for Visa Compelling Evidence 3.0 evidence submission.
Disputed transaction details for Visa Compelling Evidence 3.0 evidence submission.
Evidence provided for Visa Compelling Evidence 3.0 evidence submission.
List of exactly two prior undisputed transaction objects for Visa Compelling Evidence 3.0 evidence submission.
List of exactly two prior undisputed transaction objects for Visa Compelling Evidence 3.0 evidence submission.
Evidence provided for Visa compliance evidence submission.
Evidence to upload, to respond to a dispute.
DisputeList is a list of Disputes as retrieved from a list endpoint.
Returns a list of your disputes.
Retrieves the dispute with the given ID.
An active entitlement describes access to a feature for a customer.
EntitlementsActiveEntitlementList is a list of ActiveEntitlements as retrieved from a list endpoint.
Retrieve a list of active entitlements for a customer.
Retrieve an active entitlement.
A summary of a customer's active entitlements.
A feature represents a monetizable ability or functionality in your system.
EntitlementsFeatureList is a list of Features as retrieved from a list endpoint.
Retrieve a list of features.
Creates a feature.
Invalidates a short-lived API key for a given resource.
Error is the response returned when a call is unsuccessful.
Events are our way of letting you know when something interesting happens in your account.
EventList is a list of Events as retrieved from a list endpoint.
List events, going back up to 30 days.
Retrieves the details of an event if it was created in the last 30 days.
Information on the API request that triggers the event.
ExtraValues are extra parameters that are attached to an API request.
`Application Fee Refund` objects allow you to refund an application fee that has previously been created but not yet refunded.
FeeRefundList is a list of FeeRefunds as retrieved from a list endpoint.
You can see a list of the refunds belonging to a specific application fee.
By default, you can see the 10 most recent refunds stored directly on the application fee object, but you can also retrieve details about a specific refund stored on the application fee.
This object represents files hosted on Stripe's servers.
Optional parameters that automatically create a [file link](https://stripe.com/docs/api#file_links) for the newly created file.
To share the contents of a `File` object with non-Stripe users, you can create a `FileLink`.
FileLinkList is a list of FileLinks as retrieved from a list endpoint.
Returns a list of file links.
Creates a new file link object.
FileList is a list of Files as retrieved from a list endpoint.
Returns a list of the files that your account has access to.
To upload a file to Stripe, you need to send a request of type multipart/form-data.
Filters is a structure that contains a collection of filters for list-related APIs.
A Financial Connections Account represents an account that exists outside of Stripe, to which you have been granted some degree of access.
The account holder that this account belongs to.
The most recent information about the account's balance.
The state of the most recent attempt to refresh the account balance.
Disables your access to a Financial Connections Account.
FinancialConnectionsAccountList is a list of Accounts as retrieved from a list endpoint.
If present, only return accounts that belong to the specified account holder.
Lists all owners for a given Account.
Returns a list of Financial Connections Account objects.
Describes an owner of an account.
FinancialConnectionsAccountOwnerList is a list of AccountOwners as retrieved from a list endpoint.
Describes a snapshot of the owners of an account at a particular point in time.
The state of the most recent attempt to refresh the account owners.
Retrieves the details of an Financial Connections Account.
Refreshes the data associated with a Financial Connections Account.
Subscribes to periodic refreshes of data associated with a Financial Connections Account.
The state of the most recent attempt to refresh the account transactions.
Unsubscribes from periodic refreshes of data associated with a Financial Connections Account.
A Financial Connections Session is the secure way to programmatically launch the client-side Stripe.js modal that lets your users link their accounts.
The account holder for whom accounts are collected in this session.
The account holder to link accounts for.
Filters to restrict the kinds of accounts to collect.
Retrieves the details of a Financial Connections Session.
A Transaction represents a real transaction that affects a Financial Connections Account balance.
FinancialConnectionsTransactionList is a list of Transactions as retrieved from a list endpoint.
Returns a list of Financial Connections Transaction objects.
A filter on the list based on the object `transaction_refresh` field.
Retrieves the details of a Financial Connections Transaction.
Instructs Stripe to make a request on your behalf using the destination URL.
ForwardingRequestList is a list of Requests as retrieved from a list endpoint.
Lists all ForwardingRequest objects.
Creates a ForwardingRequest object.
Context about the request from Stripe's servers to the destination endpoint.
The request that was sent to the destination endpoint.
The headers to include in the forwarded request.
The headers to include in the forwarded request.
The request body and headers to be sent to the destination endpoint.
The response that the destination endpoint returned to us.
HTTP headers that the destination endpoint returned.
Each customer has a [`balance`](https://stripe.com/docs/api/customers/object#customer_object-balance) that is automatically applied to future invoices and payments using the `customer_balance` payment method.
A list of financial addresses that can be used to fund a particular balance.
ABA Records contain U.S.
Iban Records contain E.U.
Sort Code Records contain U.K.
SPEI Records contain Mexico bank account details per the SPEI format.
SWIFT Records contain U.S.
Zengin Records contain Japan bank account details per the Zengin format.
IdempotencyError occurs when an Idempotency-Key is re-used on a request that does not match the first request's API endpoint and parameters.
A VerificationReport is the result of an attempt to collect and verify data from a user.
Result from a document check.
Date of birth as it appears in the document.
Details on the verification error.
Expiration date of the document.
Issued date of the document.
Result from a email check.
Details on the verification error.
Result from an id_number check.
Date of birth.
Details on the verification error.
IdentityVerificationReportList is a list of VerificationReports as retrieved from a list endpoint.
List all verification reports.
Retrieves an existing VerificationReport.
Result from a phone check.
Details on the verification error.
Result from a selfie check.
Details on the verification error.
A VerificationSession guides you through the process of collecting and verifying the identities of your users.
A VerificationSession object can be canceled when it is in requires_input [status](https://stripe.com/docs/identity/how-sessions-work).
If present, this property tells you the last error encountered when processing the verification.
IdentityVerificationSessionList is a list of VerificationSessions as retrieved from a list endpoint.
Returns a list of VerificationSessions.
A set of options for the session's verification checks.
Options that apply to the [document check](https://stripe.com/docs/identity/verification-checks?type=document).
A set of options for the session's verification checks.
Creates a VerificationSession object.
Details provided about the user being verified.
Details provided about the user being verified.
Redaction status of this VerificationSession.
Redact a VerificationSession to remove all collected information from Stripe.
The user's verified data.
The user's verified date of birth.
InvalidRequestError is an error that occurs when a request contains invalid parameters.
Invoices are statements of amounts owed by a customer, and are either generated one-off, or generated periodically from a subscription.
The coupons, promotion codes & existing discounts which apply to the line item.
The line items to add.
The period associated with this invoice item.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
Data used to generate a new product object inline.
A list of up to 10 tax amounts for this line item.
Data to find or create a TaxRate object.
Adds multiple line items to an invoice.
The account that's liable for tax.
The account that's liable for tax.
Settings for automatic tax lookup for this invoice.
The account that's liable for tax.
Settings for automatic tax lookup for this invoice preview.
Details about the customer you want to invoice or overrides for an existing customer.
The customer's shipping information.
The customer's tax IDs.
Tax details about the customer.
The coupons to redeem into discounts for the invoice preview.
The coupons to redeem into discounts for the invoice item in the preview.
List of invoice items to add or update in the upcoming invoice preview (up to 250).
The period associated with this invoice item.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The connected account that issues the invoice.
At any time, you can preview the upcoming invoice for a customer.
The schedule creation or modification params to apply as a preview.
The coupons to redeem into discounts for the item.
A list of prices and quantities that will generate invoice items appended to the next invoice for this phase.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The account that's liable for tax.
Automatic tax settings for this phase.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the schedule phase.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
List of configuration items, each with an attached price, to apply during this phase of the subscription schedule.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
List representing phases of the subscription schedule.
The data with which to automatically create a Transfer for each of the associated subscription's invoices.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
A list of up to 20 subscription items, each with an attached price.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
The subscription creation or modification params to apply as a preview.
The customer's tax IDs.
Custom fields displayed on the invoice.
A list of up to 4 custom fields to be displayed on the invoice.
The discounts that will apply to the invoice.
Stripe automatically finalizes drafts before sending and attempting payment on invoices.
Details of the invoice that was cloned.
Revise an existing invoice.
The connected account that issues the invoice.
Invoice Items represent the component lines of an [invoice](https://stripe.com/docs/api/invoices).
The coupons, promotion codes & existing discounts which apply to the invoice item or invoice line item.
InvoiceItemList is a list of InvoiceItems as retrieved from a list endpoint.
Returns a list of your invoice items.
Deletes an invoice item, removing it from an invoice.
The period associated with this invoice item.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
Invoice Line Items represent the individual lines within an [invoice](https://stripe.com/docs/api/invoices) and only exist within the context of an invoice.
The amount of discount calculated per discount for this line item.
The coupons, promotion codes & existing discounts which apply to the line item.
InvoiceLineItemList is a list of InvoiceLineItems as retrieved from a list endpoint.
Updates an invoice's line item.
The period associated with this invoice item.
Contains pretax credit amounts (ex: discount, credit grants, etc) that apply to this line item.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
Data used to generate a new product object inline.
Additional details for proration line items.
For a credit proration `line_item`, the original debit line_items to which the credit proration applies.
A list of up to 10 tax amounts for this line item.
Data to find or create a TaxRate object.
InvoiceList is a list of Invoices as retrieved from a list endpoint.
When retrieving an invoice, you'll get a lines property containing the total count of line items and the first handful of those items.
You can list all invoices, or list the invoices for a specific customer.
Marking an invoice as uncollectible is useful for keeping track of bad debts that can be written off for accounting purposes.
Permanently deletes a one-off invoice draft.
Configuration settings for the PaymentIntent that is generated when the invoice is finalized.
Payment-method-specific configuration to provide to the invoice's PaymentIntent.
If paying by `acss_debit`, this sub-hash contains details about the Canadian pre-authorized debit payment method options to pass to the invoice's PaymentIntent.
Additional fields for Mandate creation.
If paying by `acss_debit`, this sub-hash contains details about the Canadian pre-authorized debit payment method options to pass to the invoice's PaymentIntent.
If paying by `bancontact`, this sub-hash contains details about the Bancontact payment method options to pass to the invoice's PaymentIntent.
If paying by `bancontact`, this sub-hash contains details about the Bancontact payment method options to pass to the invoice's PaymentIntent.
If paying by `card`, this sub-hash contains details about the Card payment method options to pass to the invoice's PaymentIntent.
Installment configuration for payments attempted on this invoice (Mexico Only).
The selected installment plan to use for this invoice.
If paying by `card`, this sub-hash contains details about the Card payment method options to pass to the invoice's PaymentIntent.
If paying by `customer_balance`, this sub-hash contains details about the Bank transfer payment method options to pass to the invoice's PaymentIntent.
Configuration for eu_bank_transfer funding type.
Configuration for the bank transfer funding type, if the `funding_type` is set to `bank_transfer`.
If paying by `customer_balance`, this sub-hash contains details about the Bank transfer payment method options to pass to the invoice's PaymentIntent.
If paying by `konbini`, this sub-hash contains details about the Konbini payment method options to pass to the invoice's PaymentIntent.
If paying by `konbini`, this sub-hash contains details about the Konbini payment method options to pass to the invoice's PaymentIntent.
Payment-method-specific configuration to provide to the invoice's PaymentIntent.
If paying by `sepa_debit`, this sub-hash contains details about the SEPA Direct Debit payment method options to pass to the invoice's PaymentIntent.
If paying by `sepa_debit`, this sub-hash contains details about the SEPA Direct Debit payment method options to pass to the invoice's PaymentIntent.
If paying by `us_bank_account`, this sub-hash contains details about the ACH direct debit payment method options to pass to the invoice's PaymentIntent.
Provide filters for the linked accounts that the customer can select for the payment method.
Additional fields for Financial Connections Session creation.
If paying by `us_bank_account`, this sub-hash contains details about the ACH direct debit payment method options to pass to the invoice's PaymentIntent.
Stripe automatically creates and then attempts to collect payment on invoices for customers on subscriptions according to your [subscriptions settings](https://dashboard.stripe.com/account/billing/automatic).
The line items to remove.
Removes multiple line items from an invoice.
The rendering-related settings that control how the invoice is displayed on customer-facing surfaces such as PDF and Hosted Invoice Page.
The rendering-related settings that control how the invoice is displayed on customer-facing surfaces such as PDF and Hosted Invoice Page.
Invoice pdf rendering options.
Invoice pdf rendering options.
Invoice Rendering Templates are used to configure how invoices are rendered on surfaces like the PDF.
Updates the status of an invoice rendering template to ‘archived' so no new Stripe objects (customers, invoices, etc.) can reference it.
InvoiceRenderingTemplateList is a list of InvoiceRenderingTemplates as retrieved from a list endpoint.
List all templates, ordered by creation date, with the most recently created template appearing first.
Retrieves an invoice rendering template with the given ID.
Unarchive an invoice rendering template so it can be used on new Stripe objects again.
Search for invoices you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
InvoiceSearchResult is a list of Invoice search results as retrieved from a search endpoint.
Stripe will automatically send invoices to customers according to your [subscriptions settings](https://dashboard.stripe.com/account/billing/automatic).
The details of the cost of shipping, including the ShippingRate applied on the invoice.
Settings for the cost of shipping for this invoice.
The upper bound of the estimated range.
The lower bound of the estimated range.
The estimated range for how long shipping will take, meant to be displayable to the customer.
Shipping rates defined in each available currency option.
Describes a fixed amount to charge for shipping.
Parameters to create a new ad-hoc shipping rate for this order.
The taxes applied to the shipping rate.
Shipping details for the invoice.
Details about the subscription that created this invoice.
Indicates which line items triggered a threshold invoice.
The aggregate amounts calculated per discount across all line items.
Contains pretax credit amounts (ex: discount, credit grants, etc) that apply to this invoice.
The aggregate amounts calculated per tax rate for all line items.
The account (if any) the payment will be attributed to for tax reporting, and where funds from the payment will be transferred to for the invoice.
If specified, the funds from the invoice will be transferred to the destination and the ID of the resulting transfer will be found on the invoice's charge.
Details about the customer you want to invoice or overrides for an existing customer.
The customer's shipping information.
The customer's tax IDs.
Tax details about the customer.
List of invoice items to add or update in the upcoming invoice preview (up to 250).
The period associated with this invoice item.
The connected account that issues the invoice.
The account that's liable for tax.
Settings for automatic tax lookup for this invoice preview.
Details about the customer you want to invoice or overrides for an existing customer.
The customer's shipping information.
The customer's tax IDs.
Tax details about the customer.
The coupons to redeem into discounts for the invoice preview.
The coupons to redeem into discounts for the invoice item in the preview.
List of invoice items to add or update in the upcoming invoice preview (up to 250).
The period associated with this invoice item.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The connected account that issues the invoice.
When retrieving an upcoming invoice, you'll get a lines property containing the total count of line items and the first handful of those items.
The schedule creation or modification params to apply as a preview.
The coupons to redeem into discounts for the item.
A list of prices and quantities that will generate invoice items appended to the next invoice for this phase.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The account that's liable for tax.
Automatic tax settings for this phase.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the schedule phase.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
List of configuration items, each with an attached price, to apply during this phase of the subscription schedule.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
List representing phases of the subscription schedule.
The data with which to automatically create a Transfer for each of the associated subscription's invoices.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
A list of up to 20 subscription items, each with an attached price.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
The subscription creation or modification params to apply as a preview.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
A list of up to 20 subscription items, each with an attached price.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
At any time, you can preview the upcoming invoice for a customer.
The schedule creation or modification params to apply as a preview.
The coupons to redeem into discounts for the item.
A list of prices and quantities that will generate invoice items appended to the next invoice for this phase.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The account that's liable for tax.
Automatic tax settings for this phase.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the schedule phase.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
List of configuration items, each with an attached price, to apply during this phase of the subscription schedule.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
List representing phases of the subscription schedule.
The data with which to automatically create a Transfer for each of the associated subscription's invoices.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
A list of up to 20 subscription items, each with an attached price.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
The subscription creation or modification params to apply as a preview.
The coupons, promotion codes & existing discounts which apply to the line item.
The line items to update.
The period associated with this invoice item.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
Data used to generate a new product object inline.
A list of up to 10 tax amounts for this line item.
Data to find or create a TaxRate object.
Updates multiple line items on an invoice.
Mark a finalized invoice as void.
When an [issued card](https://stripe.com/docs/issuing) is used to make a purchase, an Issuing `Authorization` object is created.
Detailed breakdown of amount components.
[Deprecated] Approves a pending Issuing Authorization object.
[Deprecated] Declines a pending Issuing Authorization object.
Fleet-specific information for authorizations using Fleet cards.
Answers to prompts presented to the cardholder at the point of sale.
More information about the total amount.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
Information about tax included in this transaction.
Fraud challenges sent to the cardholder, if this authorization was declined for fraud risk reasons.
Information about fuel that was purchased with this transaction.
IssuingAuthorizationList is a list of Authorizations as retrieved from a list endpoint.
Returns a list of Issuing Authorization objects.
Details about the authorization, such as identifiers, set by the card network.
Retrieves an Issuing Authorization object.
The pending authorization request.
History of every time a `pending_request` authorization was approved/declined, either by you directly or by Stripe (e.g.
[Treasury](https://stripe.com/docs/api/treasury) details related to this authorization if it was created on a [FinancialAccount](https://stripe.com/docs/api/treasury/financial_accounts).
The exemption applied to this authorization.
3D Secure details.
You can [create physical or virtual cards](https://stripe.com/docs/issuing) that are issued to cardholders.
An Issuing `Cardholder` object represents an individual or business entity who is [issued](https://stripe.com/docs/issuing) cards.
The cardholder's billing address.
Additional information about a `company` cardholder.
Additional information about a `company` cardholder.
Additional information about an `individual` cardholder.
Information related to the card_issuing program for this cardholder.
Information related to the card_issuing program for this cardholder.
Information about cardholder acceptance of Celtic [Authorized User Terms](https://stripe.com/docs/issuing/cards#accept-authorized-user-terms).
Information about cardholder acceptance of Celtic [Authorized User Terms](https://stripe.com/docs/issuing/cards#accept-authorized-user-terms).
The date of birth of this cardholder.
The date of birth of this cardholder.
Additional information about an `individual` cardholder.
Government-issued ID document for this cardholder.
An identifying document, either a passport or local ID card.
An identifying document, either a passport or local ID card.
Government-issued ID document for this cardholder.
IssuingCardholderList is a list of Cardholders as retrieved from a list endpoint.
Returns a list of Issuing Cardholder objects.
Creates a new Issuing Cardholder object that can be issued cards.
Rules that control spending across this cardholder's cards.
Rules that control spending across this cardholder's cards.
Limit spending with amount-based rules that apply across this cardholder's cards.
Limit spending with amount-based rules that apply across this cardholder's cards.
IssuingCardList is a list of Cards as retrieved from a list endpoint.
Returns a list of Issuing Card objects.
Creates an Issuing Card object.
The desired PIN for this card.
Where and how the card will be shipped.
Address validation details for the shipment.
Address validation settings.
Additional information that may be required for clearing customs.
Customs information for the shipment.
The address where the card will be shipped.
Rules that control spending for this card.
Limit spending with amount-based rules that apply across any cards this card replaced (i.e., its `replacement_for` card and _that_ card's `replacement_for` card, up the chain).
Limit spending with amount-based rules that apply across any cards this card replaced (i.e., its `replacement_for` card and _that_ card's `replacement_for` card, up the chain).
Information relating to digital wallets (like Apple Pay and Google Pay).
As a [card issuer](https://stripe.com/docs/issuing), you can dispute transactions that the cardholder does not recognize, suspects to be fraudulent, or has other issues with.
Evidence provided when `reason` is 'canceled'.
Evidence provided when `reason` is 'duplicate'.
Evidence provided when `reason` is 'fraudulent'.
Evidence provided when `reason` is 'merchandise_not_as_described'.
Evidence provided when `reason` is 'not_received'.
Evidence provided when `reason` is 'no_valid_authorization'.
Evidence provided when `reason` is 'other'.
Evidence provided for the dispute.
Evidence provided when `reason` is 'service_not_as_described'.
IssuingDisputeList is a list of Disputes as retrieved from a list endpoint.
Returns a list of Issuing Dispute objects.
Creates an Issuing Dispute object.
Submits an Issuing Dispute to the card network.
[Treasury](https://stripe.com/docs/api/treasury) details related to this dispute if it was created on a [FinancialAccount](/docs/api/treasury/financial_accounts.
Params for disputes related to Treasury FinancialAccounts.
A Personalization Design is a logical grouping of a Physical Bundle, card logo, and carrier text that represents a product line.
Hash containing carrier text, for use with physical bundles that support carrier text.
Hash containing carrier text, for use with physical bundles that support carrier text.
IssuingPersonalizationDesignList is a list of PersonalizationDesigns as retrieved from a list endpoint.
Returns a list of personalization design objects.
Only return personalization designs with the given preferences.
Creates a personalization design object.
Information on whether this personalization design is used to create cards when one is not specified.
A Physical Bundle represents the bundle of physical items - card stock, carrier letter, and envelope - that is shipped to a cardholder when you create a physical card.
IssuingPhysicalBundleList is a list of PhysicalBundles as retrieved from a list endpoint.
Returns a list of physical bundle objects.
Retrieves a physical bundle object.
An issuing token object is created when an issued card is added to a digital wallet.
IssuingTokenList is a list of Tokens as retrieved from a list endpoint.
Lists all Issuing Token objects for a given card.
Retrieves an Issuing Token object.
Any use of an [issued card](https://stripe.com/docs/issuing) that results in funds entering or leaving your Stripe account, such as a completed purchase or refund, is represented by an Issuing `Transaction` object.
Detailed breakdown of amount components.
IssuingTransactionList is a list of Transactions as retrieved from a list endpoint.
Returns a list of Issuing Transaction objects.
Details about the transaction, such as processing dates, set by the card network.
Retrieves an Issuing Transaction object.
Additional purchase information that is optionally provided by the merchant.
Fleet-specific information for transactions using Fleet cards.
Answers to prompts presented to cardholder at point of sale.
More information about the total amount.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
Information about tax included in this transaction.
Information about the flight that was purchased with this transaction.
The legs of the trip.
Information about fuel that was purchased with this transaction.
Information about lodging that was purchased with this transaction.
The line items in the purchase.
[Treasury](https://stripe.com/docs/api/treasury) details related to this transaction if it was created on a [FinancialAccount](/docs/api/treasury/financial_accounts.
Iter provides a convenient interface for iterating over the elements returned from paginated list API calls.
LeveledLogger is a leveled logger implementation.
A line item.
The discounts applied to the line item.
LineItemList is a list of LineItems as retrieved from a list endpoint.
The taxes applied to the line item.
ListMeta is the structure that contains the common properties of List iterators.
ListParams is the structure that contains the common properties of any *ListParams structure.
Login Links are single-use URLs for a connected account to access the Express Dashboard.
Creates a login link for a connected account to access the Express Dashboard.
A Mandate is a record of the permission that your customer gives you to debit their payment method.
Retrieves a Mandate object.
OAuthStripeUserParams for the stripe_user OAuth Authorize params.
OAuthToken is the value of the OAuthToken from OAuth flow.
OAuthTokenParams is the set of paramaters that can be used to request OAuthTokens.
Params is the structure that contains the common properties of any *Params structure.
A PaymentIntent guides you through the process of collecting a payment from your customer.
Manually reconcile the remaining amount for a customer_balance PaymentIntent.
Settings to configure compatible payment methods from the [Stripe Dashboard](https://dashboard.stripe.com/settings/payment_methods).
When you enable this parameter, this PaymentIntent accepts payment methods that you enable in the Dashboard and that are compatible with this PaymentIntent's other parameters.
You can cancel a PaymentIntent object when it's in one of these statuses: requires_payment_method, requires_capture, requires_confirmation, requires_action or, [in rare cases](https://stripe.com/docs/payments/intents), processing.
Capture the funds of an existing uncaptured PaymentIntent when its status is requires_capture.
Confirm that your customer intends to pay with current or provided payment method.
Options to configure Radar.
Perform an incremental authorization on an eligible [PaymentIntent](https://stripe.com/docs/api/payment_intents/object).
The parameters used to automatically create a transfer after the payment is captured.
PaymentIntentList is a list of PaymentIntents as retrieved from a list endpoint.
Returns a list of PaymentIntents.
If this is a Mandate accepted offline, this hash contains details about the offline acceptance.
If this is a Mandate accepted online, this hash contains details about the online acceptance.
This hash contains details about the customer acceptance of the Mandate.
This hash contains details about the Mandate to create.
If present, this property tells you what actions you need to take in order for your customer to fulfill a payment using the provided source.
A list of financial addresses that can be used to fund the customer balance.
ABA Records contain U.S.
Iban Records contain E.U.
Sort Code Records contain U.K.
SPEI Records contain Mexico bank account details per the SPEI format.
SWIFT Records contain U.S.
Zengin Records contain Japan bank account details per the Zengin format.
FamilyMart instruction details.
Lawson instruction details.
Ministop instruction details.
Seicomart instruction details.
When confirming a PaymentIntent with Stripe.js, Stripe.js depends on the contents of this dictionary to invoke authentication flows.
Creates a PaymentIntent object.
Information about the [payment method configuration](https://stripe.com/docs/api/payment_method_configurations) used for this PaymentIntent.
Billing information associated with the PaymentMethod that may be used or required by particular types of payment methods.
If provided, this hash will be used to create a PaymentMethod.
Options to configure Radar.
Payment-method-specific configuration for this PaymentIntent.
Additional fields for Mandate creation.
If this is a `acss_debit` PaymentMethod, this sub-hash contains details about the ACSS Debit payment method options.
If this is an `affirm` PaymentMethod, this sub-hash contains details about the Affirm payment method options.
If this is a `afterpay_clearpay` PaymentMethod, this sub-hash contains details about the Afterpay Clearpay payment method options.
If this is a `alipay` PaymentMethod, this sub-hash contains details about the Alipay payment method options.
If this is a `alma` PaymentMethod, this sub-hash contains details about the Alma payment method options.
If this is a `amazon_pay` PaymentMethod, this sub-hash contains details about the Amazon Pay payment method options.
If this is a `au_becs_debit` PaymentMethod, this sub-hash contains details about the AU BECS Direct Debit payment method options.
Additional fields for Mandate creation.
If this is a `bacs_debit` PaymentMethod, this sub-hash contains details about the BACS Debit payment method options.
If this is a `bancontact` PaymentMethod, this sub-hash contains details about the Bancontact payment method options.
If this is a `blik` PaymentMethod, this sub-hash contains details about the BLIK payment method options.
If this is a `boleto` PaymentMethod, this sub-hash contains details about the Boleto payment method options.
Installment details for this payment (Mexico only).
Installment configuration for payments attempted on this PaymentIntent (Mexico Only).
Installment plan selected for this PaymentIntent.
The selected installment plan to use for this payment attempt.
Configuration options for setting up an eMandate for cards issued in India.
Configuration options for setting up an eMandate for cards issued in India.
Configuration for any card payments attempted on this PaymentIntent.
If this is a `card_present` PaymentMethod, this sub-hash contains details about the Card Present payment method options.
Network routing priority on co-branded EMV cards supporting domestic debit and international card schemes.
Cartes Bancaires-specific 3DS fields.
Network specific 3DS fields.
If 3D Secure authentication was performed with a third-party provider, the authentication details to use for this payment.
If this is a `cashapp` PaymentMethod, this sub-hash contains details about the Cash App Pay payment method options.
Configuration for the eu_bank_transfer funding type.
Configuration for the bank transfer funding type, if the `funding_type` is set to `bank_transfer`.
If this is a `customer balance` PaymentMethod, this sub-hash contains details about the customer balance payment method options.
If this is a `eps` PaymentMethod, this sub-hash contains details about the EPS payment method options.
If this is a `fpx` PaymentMethod, this sub-hash contains details about the FPX payment method options.
If this is a `giropay` PaymentMethod, this sub-hash contains details about the Giropay payment method options.
If this is a `grabpay` PaymentMethod, this sub-hash contains details about the Grabpay payment method options.
If this is a `ideal` PaymentMethod, this sub-hash contains details about the Ideal payment method options.
If this is a `interac_present` PaymentMethod, this sub-hash contains details about the Card Present payment method options.
If this is a `kakao_pay` PaymentMethod, this sub-hash contains details about the Kakao Pay payment method options.
If this is a `klarna` PaymentMethod, this sub-hash contains details about the Klarna payment method options.
If this is a `konbini` PaymentMethod, this sub-hash contains details about the Konbini payment method options.
If this is a `kr_card` PaymentMethod, this sub-hash contains details about the KR Card payment method options.
If this is a `link` PaymentMethod, this sub-hash contains details about the Link payment method options.
If this is a `MobilePay` PaymentMethod, this sub-hash contains details about the MobilePay payment method options.
If this is a `multibanco` PaymentMethod, this sub-hash contains details about the Multibanco payment method options.
If this is a `naver_pay` PaymentMethod, this sub-hash contains details about the Naver Pay payment method options.
If this is a `oxxo` PaymentMethod, this sub-hash contains details about the OXXO payment method options.
If this is a `p24` PaymentMethod, this sub-hash contains details about the Przelewy24 payment method options.
Payment method-specific configuration for this PaymentIntent.
If this is a `pay_by_bank` PaymentMethod, this sub-hash contains details about the PayByBank payment method options.
If this is a `payco` PaymentMethod, this sub-hash contains details about the PAYCO payment method options.
If this is a `paynow` PaymentMethod, this sub-hash contains details about the PayNow payment method options.
If this is a `paypal` PaymentMethod, this sub-hash contains details about the PayPal payment method options.
If this is a `pix` PaymentMethod, this sub-hash contains details about the Pix payment method options.
If this is a `promptpay` PaymentMethod, this sub-hash contains details about the PromptPay payment method options.
If this is a `revolut_pay` PaymentMethod, this sub-hash contains details about the Revolut Pay payment method options.
If this is a `samsung_pay` PaymentMethod, this sub-hash contains details about the Samsung Pay payment method options.
Additional fields for Mandate creation.
If this is a `sepa_debit` PaymentIntent, this sub-hash contains details about the SEPA Debit payment method options.
If this is a `sofort` PaymentMethod, this sub-hash contains details about the SOFORT payment method options.
If this is a `Swish` PaymentMethod, this sub-hash contains details about the Swish payment method options.
If this is a `twint` PaymentMethod, this sub-hash contains details about the TWINT payment method options.
Provide filters for the linked accounts that the customer can select for the payment method.
Additional fields for Financial Connections Session creation.
Additional fields for Mandate creation.
Additional fields for network related functions.
If this is a `us_bank_account` PaymentMethod, this sub-hash contains details about the US bank account payment method options.
If this is a `wechat_pay` PaymentMethod, this sub-hash contains details about the WeChat Pay payment method options.
If this is a `zip` PaymentMethod, this sub-hash contains details about the Zip payment method options.
If present, this property tells you about the processing state of the payment.
Options to configure Radar.
Search for PaymentIntents you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
PaymentIntentSearchResult is a list of PaymentIntent search results as retrieved from a search endpoint.
The data that automatically creates a Transfer after the payment finalizes.
The parameters that you can use to automatically create a Transfer.
Verifies microdeposits on a PaymentIntent object.
A payment link is a shareable URL that will take your customers to a hosted payment page.
Configuration when `type=hosted_confirmation`.
Behavior after the purchase is complete.
Configuration when `type=redirect`.
The account that's liable for tax.
The account that's liable for tax.
Configuration for automatic tax collection.
When set, provides configuration to gather active consent from customers.
Configure fields to gather active consent from customers.
Settings related to the payment method reuse text shown in the Checkout UI.
Determines the display of payment method reuse agreement text in the UI.
Collect additional information from your customer using custom fields.
The options available for the customer to select.
The options available for the customer to select.
Configuration for `type=dropdown` fields.
The label for the field, displayed to the customer.
Configuration for `type=numeric` fields.
Collect additional information from your customer using custom fields.
Configuration for `type=text` fields.
Custom text that should be displayed after the payment confirmation button.
Custom text that should be displayed after the payment confirmation button.
Display additional text for your customers using custom text.
Custom text that should be displayed alongside shipping address collection.
Custom text that should be displayed alongside shipping address collection.
Custom text that should be displayed alongside the payment confirmation button.
Custom text that should be displayed alongside the payment confirmation button.
Custom text that should be displayed in place of the default terms of service agreement text.
Custom text that should be displayed in place of the default terms of service agreement text.
Configuration for creating invoice for payment mode payment links.
Configuration for the invoice.
A list of up to 4 custom fields to be displayed on the invoice.
Default custom fields to be displayed on invoices for this customer.
The connected account that issues the invoice.
The connected account that issues the invoice.
Invoice PDF configuration.
Options for invoice PDF rendering.
Default options for invoice PDF rendering for this customer.
Generate a post-purchase Invoice for one-time payments.
When set, provides configuration for this item's quantity to be adjusted by the customer during checkout.
The line items representing what is being sold.
PaymentLinkList is a list of PaymentLinks as retrieved from a list endpoint.
When retrieving a payment link, there is an includable line_items property containing the first handful of those items.
Returns a list of your payment links.
Creates a payment link.
Indicates the parameters to be passed to PaymentIntent creation during checkout.
A subset of parameters to be passed to PaymentIntent creation for Checkout Sessions in `payment` mode.
Controls phone number collection settings during checkout.
Settings that restrict the usage of a payment link.
Configuration for the `completed_sessions` restriction type.
Settings that restrict the usage of a payment link.
Configuration for collecting the customer's shipping address.
Configuration for collecting the customer's shipping address.
The shipping rate options applied to the session.
The shipping rate options to apply to [checkout sessions](https://stripe.com/docs/api/checkout/sessions) created by this payment link.
When creating a subscription, the specified configuration data will be used.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
When creating a subscription, the specified configuration data will be used.
Settings related to subscription trials.
Defines how a subscription behaves when a free trial ends.
Defines how the subscription should behave when the user's free trial ends.
Settings related to subscription trials.
Controls tax ID collection during checkout.
The account (if any) the payments will be attributed to for tax reporting, and where funds from each payment will be transferred to.
The account (if any) the payments will be attributed to for tax reporting, and where funds from each payment will be transferred to.
PaymentMethod objects represent your customer's payment instruments.
If this is an `acss_debit` PaymentMethod, this hash contains details about the ACSS Debit payment method.
If this is an `affirm` PaymentMethod, this hash contains details about the Affirm payment method.
If this is an `AfterpayClearpay` PaymentMethod, this hash contains details about the AfterpayClearpay payment method.
If this is an `Alipay` PaymentMethod, this hash contains details about the Alipay payment method.
If this is a Alma PaymentMethod, this hash contains details about the Alma payment method.
If this is a AmazonPay PaymentMethod, this hash contains details about the AmazonPay payment method.
Attaches a PaymentMethod object to a Customer.
If this is an `au_becs_debit` PaymentMethod, this hash contains details about the bank account.
If this is a `bacs_debit` PaymentMethod, this hash contains details about the Bacs Direct Debit bank account.
If this is a `bancontact` PaymentMethod, this hash contains details about the Bancontact payment method.
Billing information associated with the PaymentMethod that may be used or required by particular types of payment methods.
If this is a `blik` PaymentMethod, this hash contains details about the BLIK payment method.
If this is a `boleto` PaymentMethod, this hash contains details about the Boleto payment method.
Checks on Card address and CVC if provided.
Details of the original PaymentMethod that created this object.
Transaction-specific details of the payment method used in the payment.
Details about payments collected offline.
A collection of fields required to be displayed on receipts.
Contains information about card networks that can be used to process the payment.
Contains information about card networks used to process the payment.
If this is a `card` PaymentMethod, this hash contains the user's card details.
Contains information about card networks that can be used to process the payment.
Details about payment methods collected offline.
Contains details on how this Card may be used for 3D Secure authentication.
If this Card is part of a card wallet, this contains the details of the card wallet.
If this is a `cashapp` PaymentMethod, this hash contains details about the Cash App Pay payment method.
PaymentMethodConfigurations control which payment methods are displayed to your customers when you don't explicitly specify payment method types.
Whether or not the payment method should be displayed.
Canadian pre-authorized debit payments, check this [page](https://stripe.com/docs/payments/acss-debit) for more details like country availability.
Whether or not the payment method should be displayed.
[Affirm](https://www.affirm.com/) gives your customers a way to split purchases over a series of payments.
Whether or not the payment method should be displayed.
Afterpay gives your customers a way to pay for purchases in installments, check this [page](https://stripe.com/docs/payments/afterpay-clearpay) for more details like country availability.
Whether or not the payment method should be displayed.
Alipay is a digital wallet in China that has more than a billion active users worldwide.
Whether or not the payment method should be displayed.
Alma is a Buy Now, Pay Later payment method that offers customers the ability to pay in 2, 3, or 4 installments.
Whether or not the payment method should be displayed.
Amazon Pay is a wallet payment method that lets your customers check out the same way as on Amazon.
Whether or not the payment method should be displayed.
Whether or not the payment method should be displayed.
Apple Pay Later, a payment method for customers to buy now and pay later, gives your customers a way to split purchases into four installments across six weeks.
Stripe users can accept [Apple Pay](https://stripe.com/payments/apple-pay) in iOS applications in iOS 9 and later, and on the web in Safari starting with iOS 10 or macOS Sierra.
Whether or not the payment method should be displayed.
Stripe users in Australia can accept Bulk Electronic Clearing System (BECS) direct debit payments from customers with an Australian bank account.
Whether or not the payment method should be displayed.
Stripe users in the UK can accept Bacs Direct Debit payments from customers with a UK bank account, check this [page](https://stripe.com/docs/payments/payment-methods/bacs-debit) for more details.
Whether or not the payment method should be displayed.
Bancontact is the most popular online payment method in Belgium, with over 15 million cards in circulation.
Whether or not the payment method should be displayed.
BLIK is a [single use](https://stripe.com/docs/payments/payment-methods#usage) payment method that requires customers to authenticate their payments.
Whether or not the payment method should be displayed.
Boleto is an official (regulated by the Central Bank of Brazil) payment method in Brazil.
Whether or not the payment method should be displayed.
Cards are a popular way for consumers and businesses to pay online or in person.
Whether or not the payment method should be displayed.
Cartes Bancaires is France's local card network.
Whether or not the payment method should be displayed.
Cash App is a popular consumer app in the US that allows customers to bank, invest, send, and receive money using their digital wallet.
Whether or not the payment method should be displayed.
Uses a customer's [cash balance](https://stripe.com/docs/payments/customer-balance) for the payment.
Whether or not the payment method should be displayed.
EPS is an Austria-based payment method that allows customers to complete transactions online using their bank credentials.
Whether or not the payment method should be displayed.
Financial Process Exchange (FPX) is a Malaysia-based payment method that allows customers to complete transactions online using their bank credentials.
Whether or not the payment method should be displayed.
giropay is a German payment method based on online banking, introduced in 2006.
Whether or not the payment method should be displayed.
Google Pay allows customers to make payments in your app or website using any credit or debit card saved to their Google Account, including those from Google Play, YouTube, Chrome, or an Android device.
Whether or not the payment method should be displayed.
GrabPay is a payment method developed by [Grab](https://www.grab.com/sg/consumer/finance/pay/).
Whether or not the payment method should be displayed.
iDEAL is a Netherlands-based payment method that allows customers to complete transactions online using their bank credentials.
Whether or not the payment method should be displayed.
JCB is a credit card company based in Japan.
Whether or not the payment method should be displayed.
Klarna gives customers a range of [payment options](https://stripe.com/docs/payments/klarna#payment-options) during checkout.
Whether or not the payment method should be displayed.
Konbini allows customers in Japan to pay for bills and online purchases at convenience stores with cash.
Whether or not the payment method should be displayed.
[Link](https://stripe.com/docs/payments/link) is a payment method network.
PaymentMethodConfigurationList is a list of PaymentMethodConfigurations as retrieved from a list endpoint.
List payment method configurations.
Whether or not the payment method should be displayed.
MobilePay is a [single-use](https://stripe.com/docs/payments/payment-methods#usage) card wallet payment method used in Denmark and Finland.
Whether or not the payment method should be displayed.
Stripe users in Europe and the United States can accept Multibanco payments from customers in Portugal using [Sources](https://stripe.com/docs/sources)—a single integration path for creating payments using any supported method.
Whether or not the payment method should be displayed.
OXXO is a Mexican chain of convenience stores with thousands of locations across Latin America and represents nearly 20% of online transactions in Mexico.
Whether or not the payment method should be displayed.
Przelewy24 is a Poland-based payment method aggregator that allows customers to complete transactions online using bank transfers and other methods.
Creates a payment method configuration.
Whether or not the payment method should be displayed.
Pay by bank is a redirect payment method backed by bank transfers.
Whether or not the payment method should be displayed.
PayNow is a Singapore-based payment method that allows customers to make a payment using their preferred app from participating banks and participating non-bank financial institutions.
Whether or not the payment method should be displayed.
PayPal, a digital wallet popular with customers in Europe, allows your customers worldwide to pay using their PayPal account.
Whether or not the payment method should be displayed.
PromptPay is a Thailand-based payment method that allows customers to make a payment using their preferred app from participating banks.
Whether or not the payment method should be displayed.
Revolut Pay, developed by Revolut, a global finance app, is a digital wallet payment method.
Whether or not the payment method should be displayed.
The [Single Euro Payments Area (SEPA)](https://en.wikipedia.org/wiki/Single_Euro_Payments_Area) is an initiative of the European Union to simplify payments within and across member countries.
Whether or not the payment method should be displayed.
Stripe users in Europe and the United States can use the [Payment Intents API](https://stripe.com/docs/payments/payment-intents)—a single integration path for creating payments using any supported method—to accept [Sofort](https://www.sofort.com/) payments from customers.
Whether or not the payment method should be displayed.
Swish is a [real-time](https://stripe.com/docs/payments/real-time) payment method popular in Sweden.
Whether or not the payment method should be displayed.
Twint is a payment method popular in Switzerland.
Whether or not the payment method should be displayed.
Stripe users in the United States can accept ACH direct debit payments from customers with a US bank account using the Automated Clearing House (ACH) payments system operated by Nacha.
Whether or not the payment method should be displayed.
WeChat, owned by Tencent, is China's leading mobile app with over 1 billion monthly active users.
Whether or not the payment method should be displayed.
Zip gives your customers a way to split purchases over a series of payments.
If this is a `customer_balance` PaymentMethod, this hash contains details about the CustomerBalance payment method.
Detaches a PaymentMethod object from a Customer.
A payment method domain represents a web domain that you have registered with Stripe.
Indicates the status of a specific payment method on a payment method domain.
Contains additional details about the status of a payment method for a specific payment method domain.
Indicates the status of a specific payment method on a payment method domain.
Contains additional details about the status of a payment method for a specific payment method domain.
Indicates the status of a specific payment method on a payment method domain.
Contains additional details about the status of a payment method for a specific payment method domain.
Indicates the status of a specific payment method on a payment method domain.
Contains additional details about the status of a payment method for a specific payment method domain.
PaymentMethodDomainList is a list of PaymentMethodDomains as retrieved from a list endpoint.
Lists the details of existing payment method domains.
Creates a payment method domain.
Indicates the status of a specific payment method on a payment method domain.
Contains additional details about the status of a payment method for a specific payment method domain.
Some payment methods such as Apple Pay require additional steps to verify a domain.
If this is an `eps` PaymentMethod, this hash contains details about the EPS payment method.
If this is an `fpx` PaymentMethod, this hash contains details about the FPX payment method.
If this is a `giropay` PaymentMethod, this hash contains details about the Giropay payment method.
If this is a `grabpay` PaymentMethod, this hash contains details about the GrabPay payment method.
If this is an `ideal` PaymentMethod, this hash contains details about the iDEAL payment method.
Contains information about card networks that can be used to process the payment.
If this is an `interac_present` PaymentMethod, this hash contains details about the Interac Present payment method.
If this is a `kakao_pay` PaymentMethod, this hash contains details about the Kakao Pay payment method.
The customer's date of birth, if provided.
Customer's date of birth.
If this is a `klarna` PaymentMethod, this hash contains details about the Klarna payment method.
If this is a `konbini` PaymentMethod, this hash contains details about the Konbini payment method.
If this is a `kr_card` PaymentMethod, this hash contains details about the Korean Card payment method.
If this is an `Link` PaymentMethod, this hash contains details about the Link payment method.
PaymentMethodList is a list of PaymentMethods as retrieved from a list endpoint.
Returns a list of PaymentMethods for Treasury flows.
If this is a `mobilepay` PaymentMethod, this hash contains details about the MobilePay payment method.
If this is a `multibanco` PaymentMethod, this hash contains details about the Multibanco payment method.
If this is a `naver_pay` PaymentMethod, this hash contains details about the Naver Pay payment method.
If this is an `oxxo` PaymentMethod, this hash contains details about the OXXO payment method.
If this is a `p24` PaymentMethod, this hash contains details about the P24 payment method.
Creates a PaymentMethod object.
If this is a `pay_by_bank` PaymentMethod, this hash contains details about the PayByBank payment method.
If this is a `payco` PaymentMethod, this hash contains details about the PAYCO payment method.
If this is a `paynow` PaymentMethod, this hash contains details about the PayNow payment method.
If this is a `paypal` PaymentMethod, this hash contains details about the PayPal payment method.
If this is a `pix` PaymentMethod, this hash contains details about the Pix payment method.
If this is a `promptpay` PaymentMethod, this hash contains details about the PromptPay payment method.
Options to configure Radar.
Options to configure Radar.
If this is a `Revolut Pay` PaymentMethod, this hash contains details about the Revolut Pay payment method.
If this is a `samsung_pay` PaymentMethod, this hash contains details about the SamsungPay payment method.
Information about the object that generated this PaymentMethod.
If this is a `sepa_debit` PaymentMethod, this hash contains details about the SEPA debit bank account.
If this is a `sofort` PaymentMethod, this hash contains details about the SOFORT payment method.
If this is a `swish` PaymentMethod, this hash contains details about the Swish payment method.
If this is a TWINT PaymentMethod, this hash contains details about the TWINT payment method.
Contains information about US bank account networks that can be used.
If this is an `us_bank_account` PaymentMethod, this hash contains details about the US bank account payment method.
Contains information about the future reusability of this PaymentMethod.
If this is an `wechat_pay` PaymentMethod, this hash contains details about the wechat_pay payment method.
If this is a `zip` PaymentMethod, this hash contains details about the Zip payment method.
PaymentSourceList is a list of PaymentSources as retrieved from a list endpoint.
List sources for a specified customer.
When you create a new credit card, you must specify a customer or recipient on which to create it.
PaymentSourceSourceParams is a union struct used to describe an arbitrary payment source.
Verify a specified bank account for a given customer.
A `Payout` object is created when you receive funds from Stripe, or when you initiate a payout to either a bank account or debit card of a [connected Stripe account](https://stripe.com/docs/connect/bank-debit-card-payouts).
PayoutList is a list of Payouts as retrieved from a list endpoint.
Returns a list of existing payouts sent to third-party bank accounts or payouts that Stripe sent to you.
To send funds to your own bank account, create a new payout object.
Reverses a payout by debiting the destination bank account.
A value that generates from the beneficiary's bank that allows users to track payouts with their bank.
Period is a structure representing a start and end dates.
This is an object representing a person associated with a Stripe account.
Details on the legal guardian's acceptance of the main Stripe service agreement.
Details on the legal guardian's acceptance of the main Stripe service agreement.
Details on the legal guardian's or authorizer's acceptance of the required Stripe agreements.
The Kana variation of the person's address (Japan only).
The Kana variation of the person's address (Japan only).
The Kanji variation of the person's address (Japan only).
The Kanji variation of the person's address (Japan only).
The person's date of birth.
One or more documents that demonstrate proof that this person is authorized to represent the company.
Documents that may be submitted to satisfy various informational requests.
One or more documents showing the person's passport page with photo and personal data.
One or more documents showing the person's visa required for living in the country where they are residing.
Information about the [upcoming new requirements for this person](https://stripe.com/docs/connect/custom-accounts/future-requirements), including what information needs to be collected, and by when.
Fields that are due and can be satisfied by providing the corresponding alternative fields instead.
Fields that are `currently_due` and need to be collected again because validation or verification failed.
PersonList is a list of Persons as retrieved from a list endpoint.
Returns a list of people associated with the account's legal entity.
Filters on the list of people returned based on the person's relationship to the account's company.
Deletes an existing person's relationship to the account's legal entity.
The relationship that this person has with the account's legal entity.
Information about the requirements for this person, including what information needs to be collected, and by when.
Fields that are due and can be satisfied by providing the corresponding alternative fields instead.
A document showing address, either a passport, local ID card, or utility bill from a well-known utility company.
A document showing address, either a passport, local ID card, or utility bill from a well-known utility company.
The person's verification status.
You can now model subscriptions more flexibly using the [Prices API](https://stripe.com/docs/api#prices).
PlanList is a list of Plans as retrieved from a list endpoint.
Returns a list of your plans.
Deleting plans means new subscribers can't be added.
Each element represents a pricing tier.
Each element represents a pricing tier.
Apply a transformation to the reported usage or set quantity before computing the amount billed.
Apply a transformation to the reported usage or set quantity before computing the billed price.
Prices define the unit cost, currency, and (optional) billing cycle for both recurring and one-time purchases of products.
Prices defined in each available currency option.
When set, provides configuration for the amount to be adjusted by the customer during Checkout Sessions and Payment Links.
When set, provides configuration for the amount to be adjusted by the customer during Checkout Sessions and Payment Links.
Prices defined in each available currency option.
Each element represents a pricing tier.
Each element represents a pricing tier.
When set, provides configuration for the amount to be adjusted by the customer during Checkout Sessions and Payment Links.
When set, provides configuration for the amount to be adjusted by the customer during Checkout Sessions and Payment Links.
PriceList is a list of Prices as retrieved from a list endpoint.
Returns a list of your active prices, excluding [inline prices](https://stripe.com/docs/products-prices/pricing-models#inline-pricing).
Only return prices with these recurring fields.
Creates a new price for an existing product.
These fields can be used to create a new product that this price will belong to.
The recurring components of a price such as `interval` and `usage_type`.
The recurring components of a price such as `interval` and `usage_type`.
Search for prices you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
PriceSearchResult is a list of Price search results as retrieved from a search endpoint.
Each element represents a pricing tier.
Each element represents a pricing tier.
Apply a transformation to the reported usage or set quantity before computing the amount billed.
Apply a transformation to the reported usage or set quantity before computing the billed price.
Products describe the specific goods or services you offer to your customers.
When set, provides configuration for the amount to be adjusted by the customer during Checkout Sessions and Payment Links.
Prices defined in each available currency option.
Each element represents a pricing tier.
When set, provides configuration for the amount to be adjusted by the customer during Checkout Sessions and Payment Links.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object.
The recurring components of a price such as `interval` and `interval_count`.
A product_feature represents an attachment between a feature and a product.
ProductFeatureList is a list of ProductFeatures as retrieved from a list endpoint.
Retrieve a list of features for a product.
Deletes the feature attachment to a product.
ProductList is a list of Products as retrieved from a list endpoint.
Returns a list of your products.
A list of up to 15 marketing features for this product.
A list of up to 15 marketing features for this product.
The dimensions of this product for shipping purposes.
The dimensions of this product for shipping purposes.
Delete a product.
Search for products you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
ProductSearchResult is a list of Product search results as retrieved from a search endpoint.
A Promotion Code represents a customer-redeemable code for a [coupon](https://stripe.com/docs/api#coupons).
PromotionCodeList is a list of PromotionCodes as retrieved from a list endpoint.
Returns a list of your promotion codes.
A promotion code points to a coupon.
Promotion code restrictions defined in each available currency option.
Promotion codes defined in each available currency option.
Settings that restrict the redemption of the promotion code.
A Quote is a way to model prices that you'd like to provide to a customer.
Accepts the specified quote.
The account that's liable for tax.
The account that's liable for tax.
Settings for automatic tax lookup for this quote and resulting invoices and subscriptions.
Cancels the quote.
The definitive totals and line items the customer will be charged on a recurring basis.
The aggregated discounts.
The aggregated tax amounts by rate.
The aggregated discounts.
The aggregated tax amounts by rate.
The discounts applied to the quote.
Finalizes the quote.
Details of the quote that was cloned.
Clone an existing quote.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
The discounts applied to this line item.
A list of line items the customer is being quoted for.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
QuoteList is a list of Quotes as retrieved from a list endpoint.
When retrieving a quote, there is an includable [computed.upfront.line_items](https://stripe.com/docs/api/quotes/object#quote_object-computed-upfront-line_items) property containing the first handful of those items.
When retrieving a quote, there is an includable line_items property containing the first handful of those items.
Returns a list of your quotes.
A quote models prices and services for a customer.
Download the PDF for a finalized quote.
When creating a subscription or subscription schedule, the specified configuration data will be used.
The aggregated discounts.
The aggregated tax amounts by rate.
The account (if any) the payments will be attributed to for tax reporting, and where funds from each payment will be transferred to for each of the invoices.
The data with which to automatically create a Transfer for each of the invoices.
An early fraud warning indicates that the card issuer has notified us that a charge may be fraudulent.
RadarEarlyFraudWarningList is a list of EarlyFraudWarnings as retrieved from a list endpoint.
Returns a list of early fraud warnings.
Retrieves the details of an early fraud warning that has previously been created.
Value lists allow you to group values together which can then be referenced in rules.
Value list items allow you to add specific values to a given Radar value list, which can then be used in rules.
RadarValueListItemList is a list of ValueListItems as retrieved from a list endpoint.
Returns a list of ValueListItem objects.
Deletes a ValueListItem object, removing it from its parent value list.
RadarValueListList is a list of ValueLists as retrieved from a list endpoint.
Returns a list of ValueList objects.
Deletes a ValueList object, also deleting any items contained within the value list.
RangeQueryParams are a set of generic request parameters that are used on list endpoints to filter their results by some timestamp.
Refund objects allow you to refund a previously created charge that isn't refunded yet.
Cancels a refund with a status of requires_action.
RefundList is a list of Refunds as retrieved from a list endpoint.
Returns a list of all refunds you created.
When you create a new refund, you must specify a Charge or a PaymentIntent object on which to create it.
The Report Run object represents an instance of a report type generated with specific run parameters.
ReportingReportRunList is a list of ReportRuns as retrieved from a list endpoint.
Returns a list of Report Runs, with the most recent appearing first.
Parameters specifying how the report should be run.
Creates a new object and begin running the report.
The Report Type resource corresponds to a particular type of report, such as the "Activity summary" or "Itemized payouts" reports.
ReportingReportTypeList is a list of ReportTypes as retrieved from a list endpoint.
Returns a full list of Report Types.
Retrieves the details of a Report Type.
Reviews can be used to supplement automated fraud detection with human expertise.
Approves a Review object, closing it and removing it from the list of reviews.
Information related to the location of the payment.
ReviewList is a list of Reviews as retrieved from a list endpoint.
Returns a list of Review objects that have open set to true.
Retrieves a Review object.
Information related to the browsing session of the user who initiated the payment.
SearchIter provides a convenient interface for iterating over the elements returned from paginated search API calls.
SearchMeta is the structure that contains the common properties of the search iterators.
SearchParams is the structure that contains the common properties of any *SearchParams structure.
A SetupAttempt describes one attempted confirmation of a SetupIntent, whether that confirmation is successful or unsuccessful.
SetupAttemptList is a list of SetupAttempts as retrieved from a list endpoint.
Returns a list of SetupAttempts that associate with a provided SetupIntent.
Check results by Card networks on Card address and CVC at the time of authorization.
Details about payments collected offline.
Populated if this authorization used 3D Secure authentication.
If this Card is part of a card wallet, this contains the details of the card wallet.
A SetupIntent guides you through the process of setting up and saving a customer's payment credentials for future payments.
Settings for dynamic payment methods compatible with this Setup Intent.
When you enable this parameter, this SetupIntent accepts payment methods that you enable in the Dashboard and that are compatible with its other parameters.
You can cancel a SetupIntent object when it's in one of these statuses: requires_payment_method, requires_confirmation, or requires_action.
Confirm that your customer intends to set up the current or provided payment method.
If this is an `acss_debit` PaymentMethod, this hash contains details about the ACSS Debit payment method.
If this is an `affirm` PaymentMethod, this hash contains details about the Affirm payment method.
If this is an `AfterpayClearpay` PaymentMethod, this hash contains details about the AfterpayClearpay payment method.
If this is an `Alipay` PaymentMethod, this hash contains details about the Alipay payment method.
If this is a Alma PaymentMethod, this hash contains details about the Alma payment method.
If this is a AmazonPay PaymentMethod, this hash contains details about the AmazonPay payment method.
If this is an `au_becs_debit` PaymentMethod, this hash contains details about the bank account.
If this is a `bacs_debit` PaymentMethod, this hash contains details about the Bacs Direct Debit bank account.
If this is a `bancontact` PaymentMethod, this hash contains details about the Bancontact payment method.
Billing information associated with the PaymentMethod that may be used or required by particular types of payment methods.
If this is a `blik` PaymentMethod, this hash contains details about the BLIK payment method.
If this is a `boleto` PaymentMethod, this hash contains details about the Boleto payment method.
If this is a `cashapp` PaymentMethod, this hash contains details about the Cash App Pay payment method.
If this is a `customer_balance` PaymentMethod, this hash contains details about the CustomerBalance payment method.
If this is an `eps` PaymentMethod, this hash contains details about the EPS payment method.
If this is an `fpx` PaymentMethod, this hash contains details about the FPX payment method.
If this is a `giropay` PaymentMethod, this hash contains details about the Giropay payment method.
If this is a `grabpay` PaymentMethod, this hash contains details about the GrabPay payment method.
If this is an `ideal` PaymentMethod, this hash contains details about the iDEAL payment method.
If this is an `interac_present` PaymentMethod, this hash contains details about the Interac Present payment method.
If this is a `kakao_pay` PaymentMethod, this hash contains details about the Kakao Pay payment method.
Customer's date of birth.
If this is a `klarna` PaymentMethod, this hash contains details about the Klarna payment method.
If this is a `konbini` PaymentMethod, this hash contains details about the Konbini payment method.
If this is a `kr_card` PaymentMethod, this hash contains details about the Korean Card payment method.
If this is an `Link` PaymentMethod, this hash contains details about the Link payment method.
If this is a `mobilepay` PaymentMethod, this hash contains details about the MobilePay payment method.
If this is a `multibanco` PaymentMethod, this hash contains details about the Multibanco payment method.
If this is a `naver_pay` PaymentMethod, this hash contains details about the Naver Pay payment method.
If this is an `oxxo` PaymentMethod, this hash contains details about the OXXO payment method.
If this is a `p24` PaymentMethod, this hash contains details about the P24 payment method.
When included, this hash creates a PaymentMethod that is set as the [`payment_method`](https://stripe.com/docs/api/setup_intents/object#setup_intent_object-payment_method) value in the SetupIntent.
If this is a `pay_by_bank` PaymentMethod, this hash contains details about the PayByBank payment method.
If this is a `payco` PaymentMethod, this hash contains details about the PAYCO payment method.
If this is a `paynow` PaymentMethod, this hash contains details about the PayNow payment method.
If this is a `paypal` PaymentMethod, this hash contains details about the PayPal payment method.
If this is a `pix` PaymentMethod, this hash contains details about the Pix payment method.
If this is a `promptpay` PaymentMethod, this hash contains details about the PromptPay payment method.
Options to configure Radar.
If this is a `Revolut Pay` PaymentMethod, this hash contains details about the Revolut Pay payment method.
If this is a `samsung_pay` PaymentMethod, this hash contains details about the SamsungPay payment method.
If this is a `sepa_debit` PaymentMethod, this hash contains details about the SEPA debit bank account.
If this is a `sofort` PaymentMethod, this hash contains details about the SOFORT payment method.
If this is a `swish` PaymentMethod, this hash contains details about the Swish payment method.
If this is a TWINT PaymentMethod, this hash contains details about the TWINT payment method.
If this is an `us_bank_account` PaymentMethod, this hash contains details about the US bank account payment method.
If this is an `wechat_pay` PaymentMethod, this hash contains details about the wechat_pay payment method.
If this is a `zip` PaymentMethod, this hash contains details about the Zip payment method.
SetupIntentList is a list of SetupIntents as retrieved from a list endpoint.
Returns a list of SetupIntents.
If this is a Mandate accepted offline, this hash contains details about the offline acceptance.
If this is a Mandate accepted online, this hash contains details about the online acceptance.
This hash contains details about the customer acceptance of the Mandate.
This hash contains details about the mandate to create.
If present, this property tells you what actions you need to take in order for your customer to continue payment setup.
When confirming a SetupIntent with Stripe.js, Stripe.js depends on the contents of this dictionary to invoke authentication flows.
Creates a SetupIntent object.
Information about the [payment method configuration](https://stripe.com/docs/api/payment_method_configurations) used for this Setup Intent.
If this is an `acss_debit` PaymentMethod, this hash contains details about the ACSS Debit payment method.
If this is an `affirm` PaymentMethod, this hash contains details about the Affirm payment method.
If this is an `AfterpayClearpay` PaymentMethod, this hash contains details about the AfterpayClearpay payment method.
If this is an `Alipay` PaymentMethod, this hash contains details about the Alipay payment method.
If this is a Alma PaymentMethod, this hash contains details about the Alma payment method.
If this is a AmazonPay PaymentMethod, this hash contains details about the AmazonPay payment method.
If this is an `au_becs_debit` PaymentMethod, this hash contains details about the bank account.
If this is a `bacs_debit` PaymentMethod, this hash contains details about the Bacs Direct Debit bank account.
If this is a `bancontact` PaymentMethod, this hash contains details about the Bancontact payment method.
Billing information associated with the PaymentMethod that may be used or required by particular types of payment methods.
If this is a `blik` PaymentMethod, this hash contains details about the BLIK payment method.
If this is a `boleto` PaymentMethod, this hash contains details about the Boleto payment method.
If this is a `cashapp` PaymentMethod, this hash contains details about the Cash App Pay payment method.
If this is a `customer_balance` PaymentMethod, this hash contains details about the CustomerBalance payment method.
If this is an `eps` PaymentMethod, this hash contains details about the EPS payment method.
If this is an `fpx` PaymentMethod, this hash contains details about the FPX payment method.
If this is a `giropay` PaymentMethod, this hash contains details about the Giropay payment method.
If this is a `grabpay` PaymentMethod, this hash contains details about the GrabPay payment method.
If this is an `ideal` PaymentMethod, this hash contains details about the iDEAL payment method.
If this is an `interac_present` PaymentMethod, this hash contains details about the Interac Present payment method.
If this is a `kakao_pay` PaymentMethod, this hash contains details about the Kakao Pay payment method.
Customer's date of birth.
If this is a `klarna` PaymentMethod, this hash contains details about the Klarna payment method.
If this is a `konbini` PaymentMethod, this hash contains details about the Konbini payment method.
If this is a `kr_card` PaymentMethod, this hash contains details about the Korean Card payment method.
If this is an `Link` PaymentMethod, this hash contains details about the Link payment method.
If this is a `mobilepay` PaymentMethod, this hash contains details about the MobilePay payment method.
If this is a `multibanco` PaymentMethod, this hash contains details about the Multibanco payment method.
If this is a `naver_pay` PaymentMethod, this hash contains details about the Naver Pay payment method.
If this is an `oxxo` PaymentMethod, this hash contains details about the OXXO payment method.
If this is a `p24` PaymentMethod, this hash contains details about the P24 payment method.
When included, this hash creates a PaymentMethod that is set as the [`payment_method`](https://stripe.com/docs/api/setup_intents/object#setup_intent_object-payment_method) value in the SetupIntent.
If this is a `pay_by_bank` PaymentMethod, this hash contains details about the PayByBank payment method.
If this is a `payco` PaymentMethod, this hash contains details about the PAYCO payment method.
If this is a `paynow` PaymentMethod, this hash contains details about the PayNow payment method.
If this is a `paypal` PaymentMethod, this hash contains details about the PayPal payment method.
If this is a `pix` PaymentMethod, this hash contains details about the Pix payment method.
If this is a `promptpay` PaymentMethod, this hash contains details about the PromptPay payment method.
Options to configure Radar.
If this is a `Revolut Pay` PaymentMethod, this hash contains details about the Revolut Pay payment method.
If this is a `samsung_pay` PaymentMethod, this hash contains details about the SamsungPay payment method.
If this is a `sepa_debit` PaymentMethod, this hash contains details about the SEPA debit bank account.
If this is a `sofort` PaymentMethod, this hash contains details about the SOFORT payment method.
If this is a `swish` PaymentMethod, this hash contains details about the Swish payment method.
If this is a TWINT PaymentMethod, this hash contains details about the TWINT payment method.
If this is an `us_bank_account` PaymentMethod, this hash contains details about the US bank account payment method.
If this is an `wechat_pay` PaymentMethod, this hash contains details about the wechat_pay payment method.
If this is a `zip` PaymentMethod, this hash contains details about the Zip payment method.
Payment method-specific configuration for this SetupIntent.
Additional fields for Mandate creation.
If this is a `acss_debit` SetupIntent, this sub-hash contains details about the ACSS Debit payment method options.
If this is a `amazon_pay` SetupIntent, this sub-hash contains details about the AmazonPay payment method options.
Additional fields for Mandate creation.
If this is a `bacs_debit` SetupIntent, this sub-hash contains details about the Bacs Debit payment method options.
Configuration options for setting up an eMandate for cards issued in India.
Configuration options for setting up an eMandate for cards issued in India.
Configuration for any card setup attempted on this SetupIntent.
If this is a `card_present` PaymentMethod, this sub-hash contains details about the card-present payment method options.
Cartes Bancaires-specific 3DS fields.
Network specific 3DS fields.
If 3D Secure authentication was performed with a third-party provider, the authentication details to use for this setup.
If this is a `link` PaymentMethod, this sub-hash contains details about the Link payment method options.
Payment method-specific configuration for this SetupIntent.
If this is a `paypal` PaymentMethod, this sub-hash contains details about the PayPal payment method options.
Additional fields for Mandate creation.
If this is a `sepa_debit` SetupIntent, this sub-hash contains details about the SEPA Debit payment method options.
Provide filters for the linked accounts that the customer can select for the payment method.
Additional fields for Financial Connections Session creation.
Additional fields for Mandate creation.
Additional fields for network related functions.
If this is a `us_bank_account` SetupIntent, this sub-hash contains details about the US bank account payment method options.
If you populate this hash, this SetupIntent generates a `single_use` mandate after successful completion.
Verifies microdeposits on a SetupIntent object.
ShippingDetails is the structure containing shipping information.
ShippingDetailsParams is the structure containing shipping information as parameters.
Shipping rates describe the price of shipping presented to your customers and applied to a purchase.
The estimated range for how long shipping will take, meant to be displayable to the customer.
The upper bound of the estimated range.
The upper bound of the estimated range.
The lower bound of the estimated range.
The lower bound of the estimated range.
The estimated range for how long shipping will take, meant to be displayable to the customer.
Shipping rates defined in each available currency option.
Shipping rates defined in each available currency option.
Describes a fixed amount to charge for shipping.
ShippingRateList is a list of ShippingRates as retrieved from a list endpoint.
Returns a list of your shipping rates.
Creates a new shipping rate object.
If you have [scheduled a Sigma query](https://stripe.com/docs/sigma/scheduled-queries), you'll receive a `sigma.scheduled_query_run.created` webhook each time the query runs.
SigmaScheduledQueryRunList is a list of ScheduledQueryRuns as retrieved from a list endpoint.
Returns a list of scheduled query runs.
Retrieves the details of an scheduled query run.
`Source` objects allow you to accept a variety of payment methods.
Delete a specified source for a given customer.
The parameters required to store a mandate accepted offline.
The parameters required to store a mandate accepted online.
The parameters required to notify Stripe of a mandate acceptance or refusal by the customer.
Information about a mandate possibility attached to a source object (generally for bank debits) as well as its acceptance status.
Information about the owner of the payment instrument that may be used or required by particular source types.
Information about the owner of the payment instrument that may be used or required by particular source types.
Retrieves an existing source object.
Optional parameters for the receiver flow.
Parameters required for the redirect flow.
List of items constituting the order.
List of items constituting the order.
Information about the items and shipping associated with the source.
Some payment methods have no required amount that a customer must send.
SourceTransactionList is a list of SourceTransactions as retrieved from a list endpoint.
List source transactions for a given source.
StreamingAPIResponse encapsulates some common features of a response from the Stripe API whose body can be streamed.
Subscriptions allow you to charge a customer on a recurring basis.
The coupons to redeem into discounts for the item.
A list of prices and quantities that will generate invoice items appended to the next invoice for this subscription.
The account that's liable for tax.
The account that's liable for tax.
Automatic tax settings for this subscription.
The fixed values used to calculate the `billing_cycle_anchor`.
Mutually exclusive with billing_cycle_anchor and only valid with monthly and yearly price intervals.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
Details about why this subscription was cancelled.
Details about why this subscription was cancelled.
Details about why this subscription was cancelled.
Cancels a customer's subscription immediately.
Removes the currently applied discount on a subscription.
The coupons to redeem into discounts for the subscription.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
Subscription items allow you to create customer subscriptions with more than one plan, making it easy to represent complex billing relationships.
Define thresholds at which an invoice will be sent, and the related subscription advanced to a new billing period.
Define thresholds at which an invoice will be sent, and the subscription advanced to a new billing period.
The coupons to redeem into discounts for the subscription item.
SubscriptionItemList is a list of SubscriptionItems as retrieved from a list endpoint.
Returns a list of your subscription items for a given subscription.
Deletes an item from the subscription.
Data used to generate a new [Price](https://stripe.com/docs/api/prices) object inline.
The recurring components of a price such as `interval` and `interval_count`.
A list of up to 20 subscription items, each with an attached price.
For the specified subscription item, returns a list of summary objects.
SubscriptionList is a list of Subscriptions as retrieved from a list endpoint.
Filter subscriptions by their automatic tax settings.
By default, returns a list of subscriptions that have not been canceled.
Retrieves the subscription with the given ID.
If specified, payment collection for this subscription will be paused.
If specified, payment collection for this subscription will be paused.
Payment settings passed on to invoices created by the subscription.
Payment settings to pass to invoices created by the subscription.
Payment-method-specific configuration to provide to invoices created by the subscription.
This sub-hash contains details about the Canadian pre-authorized debit payment method options to pass to invoices created by the subscription.
Additional fields for Mandate creation.
This sub-hash contains details about the Canadian pre-authorized debit payment method options to pass to the invoice's PaymentIntent.
This sub-hash contains details about the Bancontact payment method options to pass to invoices created by the subscription.
This sub-hash contains details about the Bancontact payment method options to pass to the invoice's PaymentIntent.
This sub-hash contains details about the Card payment method options to pass to invoices created by the subscription.
Configuration options for setting up an eMandate for cards issued in India.
This sub-hash contains details about the Card payment method options to pass to the invoice's PaymentIntent.
This sub-hash contains details about the Bank transfer payment method options to pass to invoices created by the subscription.
Configuration for eu_bank_transfer funding type.
Configuration for the bank transfer funding type, if the `funding_type` is set to `bank_transfer`.
This sub-hash contains details about the Bank transfer payment method options to pass to the invoice's PaymentIntent.
This sub-hash contains details about the Konbini payment method options to pass to invoices created by the subscription.
This sub-hash contains details about the Konbini payment method options to pass to the invoice's PaymentIntent.
Payment-method-specific configuration to provide to invoices created by the subscription.
This sub-hash contains details about the SEPA Direct Debit payment method options to pass to invoices created by the subscription.
This sub-hash contains details about the SEPA Direct Debit payment method options to pass to the invoice's PaymentIntent.
This sub-hash contains details about the ACH direct debit payment method options to pass to invoices created by the subscription.
Provide filters for the linked accounts that the customer can select for the payment method.
Additional fields for Financial Connections Session creation.
This sub-hash contains details about the ACH direct debit payment method options to pass to the invoice's PaymentIntent.
Specifies an interval for how often to bill for any pending invoice items.
Specifies an interval for how often to bill for any pending invoice items.
If specified, [pending updates](https://stripe.com/docs/billing/subscriptions/pending-updates) that will be applied to the subscription once the `latest_invoice` has been paid.
Initiates resumption of a paused subscription, optionally resetting the billing cycle anchor and creating prorations.
A subscription schedule allows you to create and manage the lifecycle of a subscription by predefining expected changes.
Cancels a subscription schedule and its associated subscription immediately (if the subscription schedule has an active subscription).
Object representing the start and end dates for the current phase of the subscription schedule, if it is `active`.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
Object representing the subscription schedule's default settings.
SubscriptionScheduleList is a list of SubscriptionSchedules as retrieved from a list endpoint.
Retrieves the list of your subscription schedules.
Creates a new subscription schedule object.
Configuration for the subscription schedule's phases.
A list of prices and quantities that will generate invoice items appended to the next invoice for this phase.
The stackable discounts that will be applied to the item.
The coupons to redeem into discounts for the item.
A list of prices and quantities that will generate invoice items appended to the next invoice for this phase.
The account that's liable for tax.
Automatic tax settings for this phase.
The stackable discounts that will be applied to the subscription on this phase.
The coupons to redeem into discounts for the schedule phase.
The invoice settings applicable during this phase.
The connected account that issues the invoice.
The connected account that issues the invoice.
All invoices will be billed using the specified settings.
Subscription items to configure the subscription to during this phase of the subscription schedule.
The discounts applied to the subscription item.
The coupons to redeem into discounts for the subscription item.
List of configuration items, each with an attached price, to apply during this phase of the subscription schedule.
List representing phases of the subscription schedule.
Releases the subscription schedule immediately, which will stop scheduling of its phases, but leave any existing subscription in place.
Search for subscriptions you've previously created using Stripe's [Search Query Language](https://stripe.com/docs/search#search-query-language).
SubscriptionSearchResult is a list of Subscription search results as retrieved from a search endpoint.
The account (if any) the subscription's payments will be attributed to for tax reporting, and where funds from each payment will be transferred to for each of the subscription's invoices.
If specified, the funds from the subscription's invoices will be transferred to the destination and the ID of the resulting transfers will be found on the resulting charges.
Settings related to subscription trials.
Defines how a subscription behaves when a free trial ends.
Defines how the subscription should behave when the user's free trial ends.
Settings related to subscription trials.
A Tax Calculation allows you to calculate the tax to collect from your customer.
Details about the customer, including address and tax IDs.
The customer's tax IDs (for example, EU VAT numbers).
The customer's tax IDs.
TaxCalculationLineItemList is a list of CalculationLineItems as retrieved from a list endpoint.
A list of items the customer is purchasing.
Detailed account of taxes relevant to this line item.
Details regarding the rate for this tax.
Retrieves the line items of a tax calculation as a collection, if the calculation hasn't expired.
Retrieves a Tax Calculation object, if the calculation hasn't expired.
The details of the ship from location, such as the address.
Details about the address from which the goods are being shipped.
The shipping cost details for the calculation.
Shipping cost details to be used for the calculation.
Detailed account of taxes relevant to shipping cost.
Details regarding the rate for this tax.
Breakdown of individual tax amounts that add up to the total.
The amount of the tax rate when the `rate_type` is `flat_amount`.
[Tax codes](https://stripe.com/docs/tax/tax-categories) classify goods and services for tax purposes.
TaxCodeList is a list of TaxCodes as retrieved from a list endpoint.
A list of [all tax codes available](https://stripe.com/docs/tax/tax-categories) to add to Products in order to allow specific tax calculations.
Retrieves the details of an existing tax code.
You can add one or multiple tax IDs to a [customer](https://stripe.com/docs/api/customers) or account.
TaxIDList is a list of TaxIds as retrieved from a list endpoint.
Returns a list of tax IDs for a customer.
The account or customer the tax ID belongs to.
Deletes an existing tax_id object.
Tax ID verification information.
Tax rates can be applied to [invoices](https://stripe.com/invoicing/taxes/tax-rates), [subscriptions](https://stripe.com/billing/taxes/tax-rates) and [Checkout Sessions](https://stripe.com/payments/checkout/use-manual-tax-rates) to collect tax.
The amount of the tax rate when the `rate_type` is `flat_amount`.
TaxRateList is a list of TaxRates as retrieved from a list endpoint.
Returns a list of your tax rates.
Creates a new tax rate.
A Tax `Registration` lets us know that your business is registered to collect tax on payments within a region, enabling you to [automatically collect tax](https://stripe.com/docs/tax).
Options for the registration in AE.
Options for the registration in AL.
Options for the registration in AM.
Options for the registration in AO.
Options for the registration in AT.
Options for the standard registration.
Options for the registration in AU.
Options for the registration in BA.
Options for the registration in BB.
Options for the registration in BE.
Options for the standard registration.
Options for the registration in BG.
Options for the standard registration.
Options for the registration in BH.
Options for the registration in BS.
Options for the registration in BY.
Options for the registration in CA.
Options for the provincial tax registration.
Options for the registration in CD.
Options for the registration in CH.
Options for the registration in CL.
Options for the registration in CO.
Options for the registration in CR.
Options for the registration in CY.
Options for the standard registration.
Options for the registration in CZ.
Options for the standard registration.
Options for the registration in DE.
Options for the standard registration.
Options for the registration in DK.
Options for the standard registration.
Options for the registration in EC.
Options for the registration in EE.
Options for the standard registration.
Options for the registration in EG.
Options for the registration in ES.
Options for the standard registration.
Options for the registration in FI.
Options for the standard registration.
Options for the registration in FR.
Options for the standard registration.
Options for the registration in GB.
Options for the registration in GE.
Options for the registration in GN.
Options for the registration in GR.
Options for the standard registration.
Options for the registration in HR.
Options for the standard registration.
Options for the registration in HU.
Options for the standard registration.
Options for the registration in ID.
Options for the registration in IE.
Options for the standard registration.
Options for the registration in IS.
Options for the registration in IT.
Options for the standard registration.
Options for the registration in JP.
Options for the registration in KE.
Options for the registration in KH.
Options for the registration in KR.
Options for the registration in KZ.
Options for the registration in LT.
Options for the standard registration.
Options for the registration in LU.
Options for the standard registration.
Options for the registration in LV.
Options for the standard registration.
Options for the registration in MA.
Options for the registration in MD.
Options for the registration in ME.
Options for the registration in MK.
Options for the registration in MR.
Options for the registration in MT.
Options for the standard registration.
Options for the registration in MX.
Options for the registration in MY.
Options for the registration in NG.
Options for the registration in NL.
Options for the standard registration.
Options for the registration in NO.
Options for the registration in NP.
Options for the registration in NZ.
Options for the registration in OM.
Specific options for a registration in the specified `country`.
Options for the registration in PE.
Options for the registration in PL.
Options for the standard registration.
Options for the registration in PT.
Options for the standard registration.
Options for the registration in RO.
Options for the standard registration.
Options for the registration in RS.
Options for the registration in RU.
Options for the registration in SA.
Options for the registration in SE.
Options for the standard registration.
Options for the registration in SG.
Options for the registration in SI.
Options for the standard registration.
Options for the registration in SK.
Options for the standard registration.
Options for the registration in SN.
Options for the registration in SR.
Options for the registration in TH.
Options for the registration in TJ.
Options for the registration in TR.
Options for the registration in TZ.
Options for the registration in UG.
Options for the local amusement tax registration.
Options for the local lease tax registration.
Options for the registration in US.
Elections for the state sales tax registration.
Elections for the state sales tax registration.
Options for the state sales tax registration.
Options for the registration in UY.
Options for the registration in UZ.
Options for the registration in VN.
Options for the registration in ZA.
Options for the registration in ZM.
Options for the registration in ZW.
TaxRegistrationList is a list of Registrations as retrieved from a list endpoint.
Returns a list of Tax Registration objects.
Creates a new Tax Registration object.
You can use Tax `Settings` to manage configurations used by Stripe Tax calculations.
Default configuration to be used on Stripe Tax calculations.
The place where your business is located.
The place where your business is located.
Retrieves Tax Settings for a merchant.
A Tax Transaction records the tax collected from or refunded to your customer.
Creates a Tax Transaction from a calculation, if that calculation hasn't expired.
The line item amounts to reverse.
Partially or fully reverses a previously created Transaction.
The shipping cost to reverse.
The customer's tax IDs (for example, EU VAT numbers).
TaxTransactionLineItemList is a list of TransactionLineItems as retrieved from a list endpoint.
If `type=reversal`, contains information about what was reversed.
Retrieves the line items of a committed standalone transaction as a collection.
Retrieves a Tax Transaction object.
If `type=reversal`, contains information about what was reversed.
The details of the ship from location, such as the address.
The shipping cost details for the transaction.
Detailed account of taxes relevant to shipping cost.
Details regarding the rate for this tax.
A Configurations object represents how features should be configured for terminal readers.
An object containing device type specific settings for BBPOS WisePOS E readers.
TerminalConfigurationList is a list of Configurations as retrieved from a list endpoint.
Returns a list of Configuration objects.
Configurations for collecting transactions offline.
Deletes a Configuration object.
Reboot time settings for readers that support customized reboot time configuration.
An object containing device type specific settings for Stripe S700 readers.
Tipping configuration for AUD.
Tipping configuration for CAD.
Tipping configuration for CHF.
Tipping configuration for CZK.
Tipping configuration for DKK.
Tipping configuration for EUR.
Tipping configuration for GBP.
Tipping configuration for HKD.
Tipping configuration for JPY.
Tipping configuration for MYR.
Tipping configuration for NOK.
Tipping configuration for NZD.
Tipping configurations for readers supporting on-reader tips.
Tipping configuration for PLN.
Tipping configuration for SEK.
Tipping configuration for SGD.
Tipping configuration for USD.
An object containing device type specific settings for Verifone P400 readers.
A Connection Token is used by the Stripe Terminal SDK to connect to a reader.
To connect to a reader the Stripe Terminal SDK needs to retrieve a short-lived connection token from Stripe, proxied through your server.
A Location represents a grouping of readers.
TerminalLocationList is a list of Locations as retrieved from a list endpoint.
Returns a list of Location objects.
Deletes a Location object.
A Reader represents a physical device for accepting payment details.
The most recent action performed by the reader.
Represents a reader action to process a payment intent.
Represents a per-transaction override of a reader configuration.
Represents a per-transaction tipping configuration.
Represents a reader action to process a setup intent.
Represents a per-setup override of a reader configuration.
Represents a reader action to refund a payment.
Represents a per-transaction override of a reader configuration.
Represents a reader action to set the reader display.
Cart object to be displayed by the reader.
List of line items in the cart.
Cancels the current reader action.
TerminalReaderList is a list of Readers as retrieved from a list endpoint.
Returns a list of Reader objects.
Deletes a Reader object.
Initiates a payment flow on a Reader.
Configuration overrides.
Tipping configuration for this transaction.
Initiates a setup intent flow on a Reader.
Configuration overrides.
Initiates a refund on a Reader.
Configuration overrides.
Array of line items that were purchased.
Cart.
Sets reader display to show cart details.
Creates a test mode Confirmation Token server side for your integration tests.
If this is an `acss_debit` PaymentMethod, this hash contains details about the ACSS Debit payment method.
If this is an `affirm` PaymentMethod, this hash contains details about the Affirm payment method.
If this is an `AfterpayClearpay` PaymentMethod, this hash contains details about the AfterpayClearpay payment method.
If this is an `Alipay` PaymentMethod, this hash contains details about the Alipay payment method.
If this is a Alma PaymentMethod, this hash contains details about the Alma payment method.
If this is a AmazonPay PaymentMethod, this hash contains details about the AmazonPay payment method.
If this is an `au_becs_debit` PaymentMethod, this hash contains details about the bank account.
If this is a `bacs_debit` PaymentMethod, this hash contains details about the Bacs Direct Debit bank account.
If this is a `bancontact` PaymentMethod, this hash contains details about the Bancontact payment method.
Billing information associated with the PaymentMethod that may be used or required by particular types of payment methods.
If this is a `blik` PaymentMethod, this hash contains details about the BLIK payment method.
If this is a `boleto` PaymentMethod, this hash contains details about the Boleto payment method.
If this is a `cashapp` PaymentMethod, this hash contains details about the Cash App Pay payment method.
If this is a `customer_balance` PaymentMethod, this hash contains details about the CustomerBalance payment method.
If this is an `eps` PaymentMethod, this hash contains details about the EPS payment method.
If this is an `fpx` PaymentMethod, this hash contains details about the FPX payment method.
If this is a `giropay` PaymentMethod, this hash contains details about the Giropay payment method.
If this is a `grabpay` PaymentMethod, this hash contains details about the GrabPay payment method.
If this is an `ideal` PaymentMethod, this hash contains details about the iDEAL payment method.
If this is an `interac_present` PaymentMethod, this hash contains details about the Interac Present payment method.
If this is a `kakao_pay` PaymentMethod, this hash contains details about the Kakao Pay payment method.
Customer's date of birth.
If this is a `klarna` PaymentMethod, this hash contains details about the Klarna payment method.
If this is a `konbini` PaymentMethod, this hash contains details about the Konbini payment method.
If this is a `kr_card` PaymentMethod, this hash contains details about the Korean Card payment method.
If this is an `Link` PaymentMethod, this hash contains details about the Link payment method.
If this is a `mobilepay` PaymentMethod, this hash contains details about the MobilePay payment method.
If this is a `multibanco` PaymentMethod, this hash contains details about the Multibanco payment method.
If this is a `naver_pay` PaymentMethod, this hash contains details about the Naver Pay payment method.
If this is an `oxxo` PaymentMethod, this hash contains details about the OXXO payment method.
If this is a `p24` PaymentMethod, this hash contains details about the P24 payment method.
If provided, this hash will be used to create a PaymentMethod.
If this is a `pay_by_bank` PaymentMethod, this hash contains details about the PayByBank payment method.
If this is a `payco` PaymentMethod, this hash contains details about the PAYCO payment method.
If this is a `paynow` PaymentMethod, this hash contains details about the PayNow payment method.
If this is a `paypal` PaymentMethod, this hash contains details about the PayPal payment method.
If this is a `pix` PaymentMethod, this hash contains details about the Pix payment method.
If this is a `promptpay` PaymentMethod, this hash contains details about the PromptPay payment method.
Options to configure Radar.
If this is a `Revolut Pay` PaymentMethod, this hash contains details about the Revolut Pay payment method.
If this is a `samsung_pay` PaymentMethod, this hash contains details about the SamsungPay payment method.
If this is a `sepa_debit` PaymentMethod, this hash contains details about the SEPA debit bank account.
If this is a `sofort` PaymentMethod, this hash contains details about the SOFORT payment method.
If this is a `swish` PaymentMethod, this hash contains details about the Swish payment method.
If this is a TWINT PaymentMethod, this hash contains details about the TWINT payment method.
If this is an `us_bank_account` PaymentMethod, this hash contains details about the US bank account payment method.
If this is an `wechat_pay` PaymentMethod, this hash contains details about the wechat_pay payment method.
If this is a `zip` PaymentMethod, this hash contains details about the Zip payment method.
Shipping information for this ConfirmationToken.
Create an incoming testmode bank transfer.
Detailed breakdown of amount components.
Capture a test-mode authorization.
Answers to prompts presented to the cardholder at the point of sale.
Fleet-specific information for transactions using Fleet cards.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
More information about the total amount.
Information about tax included in this transaction.
Information about the flight that was purchased with this transaction.
The legs of the trip.
Information about fuel that was purchased with this transaction.
Information about lodging that was purchased with this transaction.
Additional purchase information that is optionally provided by the merchant.
The line items in the purchase.
Expire a test-mode Authorization.
Answers to prompts presented to the cardholder at the point of sale.
Fleet-specific information for authorizations using Fleet cards.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
More information about the total amount.
Information about tax included in this transaction.
Information about fuel that was purchased with this transaction.
Finalize the amount on an Authorization prior to capture, when the initial authorization was for an estimated amount.
Answers to prompts presented to the cardholder at the point of sale.
Fleet-specific information for authorizations using Fleet cards.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
More information about the total amount.
Information about tax included in this transaction.
Information about fuel that was purchased with this transaction.
Increment a test-mode Authorization.
Details about the seller (grocery store, e-commerce website, etc.) where the card authorization happened.
Details about the authorization, such as identifiers, set by the card network.
Create a test-mode authorization.
Respond to a fraud challenge on a testmode Issuing authorization, simulating either a confirmation of fraud or a correction of legitimacy.
Reverse a test-mode Authorization.
The exemption applied to this authorization.
Verifications that Stripe performed on information that the cardholder provided to the merchant.
3D Secure details.
Updates the shipping status of the specified Issuing Card object to delivered.
Updates the shipping status of the specified Issuing Card object to failure.
Updates the shipping status of the specified Issuing Card object to returned.
Updates the shipping status of the specified Issuing Card object to shipped.
Updates the shipping status of the specified Issuing Card object to submitted.
Updates the status of the specified testmode personalization design object to active.
Updates the status of the specified testmode personalization design object to inactive.
Updates the status of the specified testmode personalization design object to rejected.
The reason(s) the personalization design was rejected.
Details about the seller (grocery store, e-commerce website, etc.) where the card authorization happened.
Allows the user to capture an arbitrary amount, also known as a forced capture.
Answers to prompts presented to the cardholder at the point of sale.
Fleet-specific information for transactions using Fleet cards.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
More information about the total amount.
Information about tax included in this transaction.
Information about the flight that was purchased with this transaction.
The legs of the trip.
Information about fuel that was purchased with this transaction.
Information about lodging that was purchased with this transaction.
Additional purchase information that is optionally provided by the merchant.
The line items in the purchase.
Details about the seller (grocery store, e-commerce website, etc.) where the card authorization happened.
Allows the user to refund an arbitrary amount, also known as a unlinked refund.
Answers to prompts presented to the cardholder at the point of sale.
Fleet-specific information for transactions using Fleet cards.
Breakdown of fuel portion of the purchase.
Breakdown of non-fuel portion of the purchase.
More information about the total amount.
Information about tax included in this transaction.
Information about the flight that was purchased with this transaction.
The legs of the trip.
Information about fuel that was purchased with this transaction.
Information about lodging that was purchased with this transaction.
Additional purchase information that is optionally provided by the merchant.
The line items in the purchase.
Refund a test-mode Transaction.
Expire a refund with a status of requires_action.
Simulated data for the card_present payment method.
Simulated data for the interac_present payment method.
Presents a payment method on a simulated reader.
A test clock enables deterministic control over objects in testmode.
Starts advancing a test clock to a specified time in the future.
TestHelpersTestClockList is a list of TestClocks as retrieved from a list endpoint.
Returns a list of your test clocks.
Deletes a test clock.
Details about a failed InboundTransfer.
Transitions a test mode created InboundTransfer to the failed status.
Marks the test mode InboundTransfer object as returned and links the InboundTransfer to a ReceivedDebit.
Transitions a test mode created InboundTransfer to the succeeded status.
Transitions a test mode created OutboundPayment to the failed status.
Updates a test mode created OutboundPayment with tracking details.
Transitions a test mode created OutboundPayment to the posted status.
Transitions a test mode created OutboundPayment to the returned status.
Optional hash to set the return code.
ACH network tracking details.
Details about network-specific tracking information.
US domestic wire network tracking details.
Transitions a test mode created OutboundTransfer to the failed status.
Updates a test mode created OutboundTransfer with tracking details.
Transitions a test mode created OutboundTransfer to the posted status.
Transitions a test mode created OutboundTransfer to the returned status.
Details about a returned OutboundTransfer.
ACH network tracking details.
Details about network-specific tracking information.
US domestic wire network tracking details.
Initiating payment method details for the object.
Optional fields for `us_bank_account`.
Use this endpoint to simulate a test mode ReceivedCredit initiated by a third party.
Initiating payment method details for the object.
Optional fields for `us_bank_account`.
Use this endpoint to simulate a test mode ReceivedDebit initiated by a third party.
Tokenization is the process Stripe uses to collect sensitive card or bank account details, or personally identifiable information (PII), directly from your customers in a secure manner.
Information for the account this token represents.
The updated CVC value this token represents.
Retrieves the token with the given ID.
The PII this token represents.
To top up your Stripe balance, you create a top-up object.
TopupList is a list of Topups as retrieved from a list endpoint.
Returns a list of top-ups.
Top up the balance of an account.
A `Transfer` object is created when you move funds between Stripe accounts as part of Connect.
TransferList is a list of Transfers as retrieved from a list endpoint.
Returns a list of existing transfers sent to connected accounts.
To send funds from your Stripe account to a connected account, you create a new transfer object.
[Stripe Connect](https://stripe.com/docs/connect) platforms can reverse transfers made to a connected account, either entirely or partially, and can also specify whether to refund any related application fees.
TransferReversalList is a list of TransferReversals as retrieved from a list endpoint.
You can see a list of the reversals belonging to a specific transfer.
When you create a new reversal, you must specify a transfer to create it on.
You can reverse some [ReceivedCredits](https://stripe.com/docs/api#received_credits) depending on their network and source flow.
TreasuryCreditReversalList is a list of CreditReversals as retrieved from a list endpoint.
Returns a list of CreditReversals.
Reverses a ReceivedCredit and creates a CreditReversal object.
You can reverse some [ReceivedDebits](https://stripe.com/docs/api#received_debits) depending on their network and source flow.
Other flows linked to a DebitReversal.
TreasuryDebitReversalList is a list of DebitReversals as retrieved from a list endpoint.
Returns a list of DebitReversals.
Reverses a ReceivedDebit and creates a DebitReversal object.
Stripe Treasury provides users with a container for money called a FinancialAccount that is separate from their Payments balance.
Balance information for the FinancialAccount.
A different bank account where funds can be deposited/debited in order to get the closing FA's balance to $0.
Closes a FinancialAccount.
Encodes whether a FinancialAccount has access to a particular Feature, with a `status` enum and associated `status_details`.
Toggle settings for enabling/disabling a feature.
Encodes the FinancialAccount's ability to be used with the Issuing product, including attaching cards to and drawing funds from the FinancialAccount.
Additional details; includes at least one entry when the status is not `active`.
Toggle settings for enabling/disabling a feature.
Represents whether this FinancialAccount is eligible for deposit insurance.
Additional details; includes at least one entry when the status is not `active`.
Settings related to Financial Addresses features on a Financial Account.
Toggle settings for enabling/disabling the ABA address feature.
Adds an ABA FinancialAddress to the FinancialAccount.
Additional details; includes at least one entry when the status is not `active`.
Contains Features that add FinancialAddresses to the FinancialAccount.
InboundTransfers contains inbound transfers features for a FinancialAccount.
Toggle settings for enabling/disabling an inbound ACH specific feature.
Enables ACH Debits via the InboundTransfers API.
Additional details; includes at least one entry when the status is not `active`.
Contains settings related to adding funds to a FinancialAccount from another Account with the same owner.
Toggle settings for enabling/disabling a feature.
Represents the ability for the FinancialAccount to send money to, or receive money from other FinancialAccounts (for example, via OutboundPayment).
Additional details; includes at least one entry when the status is not `active`.
Settings related to Outbound Payments features on a Financial Account.
Toggle settings for enabling/disabling an outbound ACH specific feature.
Enables ACH transfers via the OutboundPayments API.
Additional details; includes at least one entry when the status is not `active`.
Includes Features related to initiating money movement out of the FinancialAccount to someone else's bucket of money.
Toggle settings for enabling/disabling a feature.
Enables US domestic wire transfers via the OutboundPayments API.
Additional details; includes at least one entry when the status is not `active`.
OutboundTransfers contains outbound transfers features for a FinancialAccount.
Toggle settings for enabling/disabling an outbound ACH specific feature.
Enables ACH transfers via the OutboundTransfers API.
Additional details; includes at least one entry when the status is not `active`.
Contains a Feature and settings related to moving money out of the FinancialAccount into another Account with the same owner.
Toggle settings for enabling/disabling a feature.
Enables US domestic wire transfers via the OutboundTransfers API.
Additional details; includes at least one entry when the status is not `active`.
Encodes whether a FinancialAccount has access to a particular feature.
The set of credentials that resolve to a FinancialAccount.
ABA Records contain U.S.
A different bank account where funds can be deposited/debited in order to get the closing FA's balance to $0.
TreasuryFinancialAccountList is a list of FinancialAccounts as retrieved from a list endpoint.
Returns a list of FinancialAccounts.
Creates a new FinancialAccount.
The set of functionalities that the platform can restrict on the FinancialAccount.
The set of functionalities that the platform can restrict on the FinancialAccount.
Retrieves Features information associated with the FinancialAccount.
Details related to the closure of this FinancialAccount.
Encodes the FinancialAccount's ability to be used with the Issuing product, including attaching cards to and drawing funds from the FinancialAccount.
Represents whether this FinancialAccount is eligible for deposit insurance.
Adds an ABA FinancialAddress to the FinancialAccount.
Contains Features that add FinancialAddresses to the FinancialAccount.
Enables ACH Debits via the InboundTransfers API.
Contains settings related to adding funds to a FinancialAccount from another Account with the same owner.
Represents the ability for the FinancialAccount to send money to, or receive money from other FinancialAccounts (for example, via OutboundPayment).
Enables ACH transfers via the OutboundPayments API.
Includes Features related to initiating money movement out of the FinancialAccount to someone else's bucket of money.
Enables US domestic wire transfers via the OutboundPayments API.
Enables ACH transfers via the OutboundTransfers API.
Contains a Feature and settings related to moving money out of the FinancialAccount into another Account with the same owner.
Enables US domestic wire transfers via the OutboundTransfers API.
Updates the Features associated with a FinancialAccount.
Use [InboundTransfers](https://docs.stripe.com/docs/treasury/moving-money/financial-accounts/into/inbound-transfers) to add funds to your [FinancialAccount](https://stripe.com/docs/api#financial_accounts) via a PaymentMethod that is owned by you.
Cancels an InboundTransfer.
Details about this InboundTransfer's failure.
TreasuryInboundTransferList is a list of InboundTransfers as retrieved from a list endpoint.
Returns a list of InboundTransfers sent from the specified FinancialAccount.
Details about the PaymentMethod for an InboundTransfer.
Creates an InboundTransfer.
Use [OutboundPayments](https://docs.stripe.com/docs/treasury/moving-money/financial-accounts/out-of/outbound-payments) to send funds to another party's external bank account or [FinancialAccount](https://stripe.com/docs/api#financial_accounts).
Cancel an OutboundPayment.
Billing information associated with the PaymentMethod that may be used or required by particular types of payment methods.
Hash used to generate the PaymentMethod to be used for this OutboundPayment.
Required hash if type is set to `us_bank_account`.
Details about the PaymentMethod for an OutboundPayment.
Payment method-specific configuration for this OutboundPayment.
Optional fields for `us_bank_account`.
Details about the end user.
End user details.
TreasuryOutboundPaymentList is a list of OutboundPayments as retrieved from a list endpoint.
Returns a list of OutboundPayments sent from the specified FinancialAccount.
Creates an OutboundPayment.
Details about a returned OutboundPayment.
Details about network-specific tracking information if available.
Use [OutboundTransfers](https://docs.stripe.com/docs/treasury/moving-money/financial-accounts/out-of/outbound-transfers) to transfer funds from a [FinancialAccount](https://stripe.com/docs/api#financial_accounts) to a PaymentMethod belonging to the same entity.
An OutboundTransfer can be canceled if the funds have not yet been paid out.
Hash used to generate the PaymentMethod to be used for this OutboundTransfer.
Hash describing payment method configuration details.
Optional fields for `us_bank_account`.
TreasuryOutboundTransferList is a list of OutboundTransfers as retrieved from a list endpoint.
Returns a list of OutboundTransfers sent from the specified FinancialAccount.
Creates an OutboundTransfer.
Details about a returned OutboundTransfer.
Details about network-specific tracking information if available.
ReceivedCredits represent funds sent to a [FinancialAccount](https://stripe.com/docs/api#financial_accounts) (for example, via ACH or wire).
The expandable object of the source flow.
TreasuryReceivedCreditList is a list of ReceivedCredits as retrieved from a list endpoint.
Only return ReceivedCredits described by the flow.
Returns a list of ReceivedCredits.
Retrieves the details of an existing ReceivedCredit by passing the unique ReceivedCredit ID from the ReceivedCredit list.
Details describing when a ReceivedCredit may be reversed.
ReceivedDebits represent funds pulled from a [FinancialAccount](https://stripe.com/docs/api#financial_accounts).
TreasuryReceivedDebitList is a list of ReceivedDebits as retrieved from a list endpoint.
Returns a list of ReceivedDebits.
Retrieves the details of an existing ReceivedDebit by passing the unique ReceivedDebit ID from the ReceivedDebit list.
Details describing when a ReceivedDebit might be reversed.
Transactions represent changes to a [FinancialAccount's](https://stripe.com/docs/api#financial_accounts) balance.
Change to a FinancialAccount's balance.
TransactionEntries represent individual units of money movements within a single [Transaction](https://stripe.com/docs/api#transactions).
Change to a FinancialAccount's balance.
Details of the flow associated with the TransactionEntry.
TreasuryTransactionEntryList is a list of TransactionEntries as retrieved from a list endpoint.
Retrieves a list of TransactionEntry objects.
Retrieves a TransactionEntry object.
Details of the flow that created the Transaction.
TreasuryTransactionList is a list of Transactions as retrieved from a list endpoint.
Retrieves a list of Transaction objects.
A filter for the `status_transitions.posted_at` timestamp.
Retrieves the details of an existing Transaction.
UsageBackend is a wrapper for stripe.Backend that sets the usage parameter.
Usage records allow you to report customer usage and metrics to Stripe for metered billing of subscription prices.
Creates a usage record for a specified subscription item and date, and fills it with a quantity.
A usage record summary represents an aggregated view of how much usage was accrued for a subscription item within a subscription billing period.
UsageRecordSummaryList is a list of UsageRecordSummaries as retrieved from a list endpoint.
For the specified subscription item, returns a list of summary objects.
VerificationFieldsList lists the fields needed for an account verification.
You can configure [webhook endpoints](https://docs.stripe.com/webhooks/) via the API to be notified about events that happen in your Stripe account or connected accounts.
WebhookEndpointList is a list of WebhookEndpoints as retrieved from a list endpoint.
Returns a list of your webhook endpoints.
You can also delete webhook endpoints via the [webhook endpoint management](https://dashboard.stripe.com/account/webhooks) page of the Stripe dashboard.

# Interfaces

Backend is an interface for making calls against a Stripe service.
LastResponseSetter defines a type that contains an HTTP response from a Stripe API endpoint.
LeveledLoggerInterface provides a basic leveled logging interface for printing debug, informational, warning, and error messages.
ListContainer is a general interface for which all list object structs should comply.
ListParamsContainer is a general interface for which all list parameter structs should comply.
ParamsContainer is a general interface for which all parameter structs should comply.
SearchContainer is a general interface for which all search result object structs should comply.
SearchParamsContainer is a general interface for which all search parameter structs should comply.
StreamingLastResponseSetter defines a type that contains an HTTP response from a Stripe API endpoint.

# Type aliases

The business type.
The status of the Canadian pre-authorized debits payments capability of the account, or whether the account can directly process Canadian pre-authorized debits charges.
The category identifying the legal structure of the company or legal entity.
One of `document_corrupt`, `document_expired`, `document_failed_copy`, `document_failed_greyscale`, `document_failed_other`, `document_failed_test_mode`, `document_fraudulent`, `document_incomplete`, `document_invalid`, `document_manipulated`, `document_not_readable`, `document_not_uploaded`, `document_type_not_supported`, or `document_too_large`.
A value indicating the responsible payer of a bundle of Stripe fees for pricing-control eligible products on this account.
A value indicating who is liable when this account can't pay back negative balances from payments.
A value indicating responsibility for collecting requirements on this account.
A value indicating the Stripe dashboard this account has access to independent of the Connect application.
The controller type.
This is typed as an enum for consistency with `requirements.disabled_reason`.
AccountLinkCollect describes what information the platform wants to collect with the account link.
AccountLinkType is the type of an account link.
If the account is disabled, this enum describes why.
How frequently funds will be paid out.
The user's service agreement type.
The Stripe account type.
Type of object that created the application fee, either `charge` or `payout`.
The secret scope type.
BalanceSourceType is the list of allowed values for the balance amount's source_type field keys.
Learn more about how [reporting categories](https://stripe.com/docs/reports/reporting-categories) can help you understand balance transactions from an accounting perspective.
The transaction's net funds status in the Stripe balance, which are either `available` or `pending`.
Transaction type: `adjustment`, `advance`, `advance_funding`, `anticipation_repayment`, `application_fee`, `application_fee_refund`, `charge`, `climate_order_purchase`, `climate_order_refund`, `connect_collection_transfer`, `contribution`, `issuing_authorization_hold`, `issuing_authorization_release`, `issuing_dispute`, `issuing_transaction`, `obligation_outbound`, `obligation_reversal_inbound`, `payment`, `payment_failure_refund`, `payment_network_reserve_hold`, `payment_network_reserve_release`, `payment_refund`, `payment_reversal`, `payment_unreconciled`, `payout`, `payout_cancel`, `payout_failure`, `payout_minimum_balance_hold`, `payout_minimum_balance_release`, `refund`, `refund_failure`, `reserve_transaction`, `reserved_funds`, `stripe_fee`, `stripe_fx_fee`, `tax_fee`, `topup`, `topup_reversal`, `transfer`, `transfer_cancel`, `transfer_failure`, or `transfer_refund`.
The type of entity that holds the account.
A set of available payout methods for this bank account.
The code for the type of error.
The code for the type of error.
For bank accounts, possible values are `new`, `validated`, `verified`, `verification_failed`, or `errored`.
Defines the type of the alert.
Status of the alert.
Defines how the alert will behave.
The type of this amount.
The type of this amount.
The type of this amount.
The type of credit transaction.
The type of this amount.
The type of debit transaction.
The type of credit balance transaction (credit or debit).
The type of this amount.
The price type that credit grants can apply to.
The category of this credit grant.
The method for mapping a meter event to a customer.
Specifies how events are aggregated.
The meter event adjustment's status.
Specifies whether to cancel a single event or a range of events for a time period.
The time window to pre-aggregate meter events for, if any.
The meter's status.
The types of customer updates that are supported.
Which cancellation reasons will be given as options to the customer.
Whether to cancel subscriptions immediately or at the end of the billing period.
Whether to create prorations when canceling subscriptions.
The types of subscription updates that are supported for items listed in the `products` attribute.
Determines how to handle prorations resulting from subscription updates.
The type of condition.
The specified type of behavior after the flow is completed.
Type of retention strategy that will be used.
Type of flow that the customer will go through.
Description of why the capability is disabled.
This is typed as an enum for consistency with `requirements.disabled_reason`, but it safe to assume `future_requirements.disabled_reason` is null because fields in `future_requirements` will never disable the account.
The status of the capability.
If `address_line1` was provided, results of the check: `pass`, `fail`, `unavailable`, or `unchecked`.
If `address_zip` was provided, results of the check: `pass`, `fail`, `unavailable`, or `unchecked`.
This field indicates whether this payment method can be shown again to its customer in a checkout flow.
A set of available payout methods for this card.
Card brand.
If a CVC was provided, results of the check: `pass`, `fail`, `unavailable`, or `unchecked`.
Card funding type.
Status of a card based on the card issuer.
If the card number is tokenized, this is the method that was used.
The configuration for how funds that land in the customer cash balance are reconciled.
Assessments from Stripe.
Assessments reported by you.
An enumerated value providing a more detailed explanation on [how to proceed with an error](https://stripe.com/docs/declines#retrying-issuer-declines).
funding type of the underlying payment method.
If a address line1 was provided, results of the check, one of `pass`, `fail`, `unavailable`, or `unchecked`.
If a address postal code was provided, results of the check, one of `pass`, `fail`, `unavailable`, or `unchecked`.
If a CVC was provided, results of the check, one of `pass`, `fail`, `unavailable`, or `unchecked`.
Indicates whether or not the capture window is extended beyond the standard authorization.
Indicates whether or not the incremental authorization feature is supported.
Indicates whether or not multiple captures are supported.
Identifies which network this charge was processed on.
Indicates whether or not the authorized amount can be over-captured.
Identifies which network this charge was processed on.
The method used to process this payment method offline.
The type of account being debited or credited.
The type of mobile wallet, one of `apple_pay`, `google_pay`, `samsung_pay`, or `unknown`.
Status of a card based on the card issuer.
For authenticated transactions: how the customer was authenticated by the issuing bank.
The Electronic Commerce Indicator (ECI).
The exemption requested via 3DS and accepted by the issuer at authentication time.
Indicates the outcome of 3D Secure authentication.
Additional information about why 3D Secure succeeded or failed based on the `result`.
The Klarna payment method used for this transaction.
The name of the convenience store chain where the payment was completed.
The local credit or debit card brand.
An array of conditions that are covered for the transaction, if applicable.
Indicates whether the transaction is eligible for PayPal's seller protection.
funding type of the underlying payment method.
The type of transaction-specific details of the payment method used in the payment.
Account holder type: individual or company.
Account type: checkings or savings.
The status of the payment is either `succeeded`, `pending`, or `failed`.
Type of the account referenced.
The status of the most recent automated tax calculation for this session.
Describes whether Checkout should collect the customer's billing address.
Determines the position and visibility of the payment method reuse agreement in the UI.
If set to `auto`, enables the collection of customer consent for promotional communications.
If set to `required`, it requires customers to accept the terms of service before being able to pay.
If `opt_in`, the customer consents to receiving promotional communications from the merchant about this Checkout Session.
If `accepted`, the customer in this Checkout Session has agreed to the merchant's terms of service.
Configure whether a Checkout Session creates a Customer when the Checkout Session completes.
The customer's tax exempt status after a completed Checkout Session.
The type of the tax ID, one of `ad_nrt`, `ar_cuit`, `eu_vat`, `bo_tin`, `br_cnpj`, `br_cpf`, `cn_tin`, `co_nit`, `cr_tin`, `do_rcn`, `ec_ruc`, `eu_oss_vat`, `hr_oib`, `pe_ruc`, `ro_tin`, `rs_pib`, `sv_nit`, `uy_ruc`, `ve_rif`, `vn_tin`, `gb_vat`, `nz_gst`, `au_abn`, `au_arn`, `in_gst`, `no_vat`, `no_voec`, `za_vat`, `ch_vat`, `mx_rfc`, `sg_uen`, `ru_inn`, `ru_kpp`, `ca_bn`, `hk_br`, `es_cif`, `tw_vat`, `th_vat`, `jp_cn`, `jp_rn`, `jp_trn`, `li_uid`, `li_vat`, `my_itn`, `us_ein`, `kr_brn`, `ca_qst`, `ca_gst_hst`, `ca_pst_bc`, `ca_pst_mb`, `ca_pst_sk`, `my_sst`, `sg_gst`, `ae_trn`, `cl_tin`, `sa_vat`, `id_npwp`, `my_frp`, `il_vat`, `ge_vat`, `ua_vat`, `is_vat`, `bg_uic`, `hu_tin`, `si_tin`, `ke_pin`, `tr_tin`, `eg_tin`, `ph_tin`, `al_tin`, `bh_vat`, `kz_bin`, `ng_tin`, `om_vat`, `de_stn`, `ch_uid`, `tz_vat`, `uz_vat`, `uz_tin`, `md_vat`, `ma_vat`, `by_tin`, `ao_tin`, `bs_tin`, `bb_tin`, `cd_nif`, `mr_nif`, `me_pib`, `zw_tin`, `ba_tin`, `gn_nif`, `mk_vat`, `sr_fin`, `sn_ninea`, `am_tin`, `np_pan`, `tj_tin`, `ug_tin`, `zm_tin`, `kh_tin`, or `unknown`.
The type of the label.
The type of the field.
Type of the account referenced.
The mode of the Checkout Session.
Configure whether a Checkout Session should collect a payment method.
List of Stripe products where this mandate can be selected automatically.
Payment schedule for the mandate.
Transaction type of the mandate.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Bank account verification method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Request ability to [capture beyond the standard authorization validity window](https://stripe.com/payments/extended-authorization) for this CheckoutSession.
Request ability to [increment the authorization](https://stripe.com/payments/incremental-authorization) for this CheckoutSession.
Request ability to make [multiple captures](https://stripe.com/payments/multicapture) for this CheckoutSession.
Request ability to [overcapture](https://stripe.com/payments/overcapture) for this CheckoutSession.
We strongly recommend that you rely on our SCA Engine to automatically prompt your customers for authentication based on risk level and [other requirements](https://stripe.com/docs/strong-customer-authentication).
Specify the card brands to block in the Checkout Session.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
List of address types that should be returned in the financial_addresses response.
The bank transfer type that this PaymentIntent is allowed to use for funding Permitted values include: `eu_bank_transfer`, `gb_bank_transfer`, `jp_bank_transfer`, `mx_bank_transfer`, or `us_bank_transfer`.
The funding method type to be used when there are not enough funds in the customer balance.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
The account subcategories to use to filter for possible accounts to link.
The list of permissions to request.
Data features requested to be retrieved upon account creation.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Bank account verification method.
The payment status of the Checkout Session, one of `paid`, `unpaid`, or `no_payment_required`.
This parameter applies to `ui_mode: embedded`.
Uses the `allow_redisplay` value of each saved payment method to filter the set presented to a returning customer.
Enable customers to choose if they wish to remove their saved payment methods.
Enable customers to choose if they wish to save their payment method for future use.
The reasoning behind this tax, for example, if the product is tax exempt.
The status of the Checkout Session, one of `open`, `complete`, or `expired`.
Describes the type of transaction being performed by Checkout in order to customize relevant text on the page, such as the submit button.
Indicates whether a tax ID is required on the payment page.
The reasoning behind this tax, for example, if the product is tax exempt.
The UI mode of the Session.
Reason for the cancellation of this order.
The current status of this order.
The scientific pathway used for carbon removal.
This field indicates whether this payment method can be shown again to its customer in a checkout flow.
The method used to process this payment method offline.
How card details were read in this transaction.
The type of account being debited or credited.
The type of mobile wallet, one of `apple_pay`, `google_pay`, `samsung_pay`, or `unknown`.
The method used to process this payment method offline.
How card details were read in this transaction.
The type of mobile wallet, one of `apple_pay`, `google_pay`, `samsung_pay`, or `unknown`.
Status of a card based on the card issuer.
The type of the card wallet, one of `amex_express_checkout`, `apple_pay`, `google_pay`, `masterpass`, `samsung_pay`, `visa_checkout`, or `link`.
The customer's bank.
Account holder type, if provided.
The customer's bank, if provided.
The customer's bank, if provided.
The Bank Identifier Code of the customer's bank, if the bank was provided.
How card details were read in this transaction.
The local credit or debit card brand.
Whether to fund this transaction with Naver Pay points or a card.
The customer's bank, if provided.
The type of the PaymentMethod.
Account holder type: individual or company.
Account type: checkings or savings.
All supported networks.
The ACH network code that resulted in this block.
The reason why this PaymentMethod's fingerprint has been blocked.
Indicates that you intend to make future payments with this ConfirmationToken's payment method.
Country is the list of supported countries.
One of `forever`, `once`, and `repeating`.
Type of the pretax credit amount referenced.
The type of the credit note line item, one of `invoice_line_item` or `custom_line_item`.
Type of the pretax credit amount referenced.
Reason for issuing this credit note, one of `duplicate`, `fraudulent`, `order_change`, or `product_unsatisfactory`.
The reasoning behind this tax, for example, if the product is tax exempt.
Status of this credit note, one of `issued` or `void`.
The reasoning behind this tax, for example, if the product is tax exempt.
Type of this credit note, one of `pre_payment` or `post_payment`.
Currency is the list of supported currencies.
Transaction type: `adjustment`, `applied_to_invoice`, `credit_note`, `initial`, `invoice_overpaid`, `invoice_too_large`, `invoice_too_small`, `unspent_receiver_credit`, or `unapplied_from_invoice`.
The funding method type used to fund the customer balance.
The banking network used for this funding.
The type of the cash balance transaction.
A list of [`allow_redisplay`](https://docs.stripe.com/api/payment_methods/object#payment_method_object-allow_redisplay) values that controls which saved payment methods the Payment Element displays by filtering to only show payment methods with an `allow_redisplay` value that is present in this list.
Controls whether or not the Payment Element shows saved payment methods.
Controls whether the Payment Element displays the option to remove a saved payment method.
Controls whether the Payment Element displays a checkbox offering to save a new payment method.
When using PaymentIntents and the customer checks the save checkbox, this field determines the [`setup_future_usage`](https://docs.stripe.com/api/payment_intents/object#payment_intent_object-setup_future_usage) value used to confirm the PaymentIntent.
Surfaces if automatic tax computation is possible given the current customer location information.
Describes the customer's tax exemption status, which is `none`, `exempt`, or `reverse`.
The data source used to infer the customer's location.
DeclineCode is the list of reasons provided by card issuers for decline of payment.
List of eligibility types that are included in `enhanced_evidence`.
List of actions required to qualify dispute for Visa Compelling Evidence 3.0 evidence submission.
Visa Compelling Evidence 3.0 eligibility status.
Visa compliance eligibility status.
Categorization of disputed payment.
The AmazonPay dispute type, chargeback or claim.
The type of dispute opened.
Payment method type.
Reason given by cardholder for dispute.
Current status of dispute.
ErrorCode is the list of allowed values for the error's code.
ErrorType is the list of allowed values for the error's type.
Description of the event (for example, `invoice.created` or `charge.refunded`).
The [purpose](https://stripe.com/docs/file-upload#uploading-a-file) of the uploaded file.
Type of account holder that this account belongs to.
The status of the last refresh attempt.
The `type` of the balance.
The type of the account.
The status of the last refresh attempt.
The list of permissions granted by this account.
The status of the link to the account.
If `category` is `cash`, one of: - `checking` - `savings` - `other` If `category` is `credit`, one of: - `mortgage` - `line_of_credit` - `credit_card` - `other` If `category` is `investment` or `other`, this will be `other`.
The list of data refresh subscriptions requested on this account.
The [PaymentMethod type](https://stripe.com/docs/api/payment_methods/object#payment_method_object-type)(s) that can be created from this account.
The status of the last refresh attempt.
Type of account holder that this account belongs to.
Restricts the Session to subcategories of accounts that can be linked.
Permissions requested for accounts collected during this session.
Data features requested to be retrieved upon account creation.
The status of the transaction.
The field kinds to be replaced in the forwarded request.
The HTTP method used to call the destination endpoint.
The payment networks supported by this FinancialAddress.
The type of financial address.
The bank_transfer type.
The `funding_type` of the returned instructions.
A short machine-readable string giving the reason for the verification failure.
Status of this `document` check.
Type of the document.
A short machine-readable string giving the reason for the verification failure.
Status of this `email` check.
A short machine-readable string giving the reason for the verification failure.
Type of ID number.
Status of this `id_number` check.
Array of strings of allowed identity document types.
A short machine-readable string giving the reason for the verification failure.
Status of this `phone` check.
A short machine-readable string giving the reason for the verification failure.
Status of this `selfie` check.
Type of report.
A short machine-readable string giving the reason for the verification or user-session failure.
Array of strings of allowed identity document types.
Indicates whether this object and its related objects have been redacted or not.
Status of this VerificationSession.
The type of [verification check](https://stripe.com/docs/identity/verification-checks) to be performed.
The user's verified id number type.
If Stripe disabled automatic tax, this enum describes why.
Type of the account referenced.
The status of the most recent automated tax calculation for this invoice.
Indicates the reason why the invoice was created.
Either `charge_automatically`, or `send_invoice`.
Type of the account referenced.
Type of the pretax credit amount referenced.
A string identifying the type of the source of this line item, either an `invoiceitem` or a `subscription`.
Transaction type of the mandate.
Bank account verification method.
We strongly recommend that you rely on our SCA Engine to automatically prompt your customers for authentication based on risk level and [other requirements](https://stripe.com/docs/strong-customer-authentication).
The funding method type to be used when there are not enough funds in the customer balance.
The account subcategories to use to filter for possible accounts to link.
The list of permissions to request.
Data features requested to be retrieved upon account creation.
Bank account verification method.
The list of payment method types (e.g.
Page size of invoice pdf.
The status of the template, one of `active` or `archived`.
The reasoning behind this tax, for example, if the product is tax exempt.
The status of the invoice, one of `draft`, `open`, `paid`, `uncollectible`, or `void`.
Type of the pretax credit amount referenced.
The reasoning behind this tax, for example, if the product is tax exempt.
How the card details were provided.
The type of purchase.
The type of fuel service.
The method by which the fraud challenge was delivered to the cardholder.
The status of the fraud challenge.
If the challenge is not deliverable, the reason why.
The type of fuel that was purchased.
The units for `quantity_decimal`.
When an authorization is approved or declined by you or by Stripe, this field provides additional detail on the reason for the outcome.
The current status of the authorization in its lifecycle.
The entity that requested the exemption, either the acquiring merchant or the Issuing user.
The specific exemption claimed for this authorization.
Whether the cardholder provided an address first line and if it matched the cardholder's `billing.address.line1`.
The outcome of the 3D Secure authentication request.
The digital wallet used for this transaction.
The reason why the card was canceled.
The cardholder's preferred locales (languages), ordered by preference.
If `disabled_reason` is present, all cards will decline authorizations with `cardholder_verification_required` reason.
Interval (or event) to which the amount applies.
Specifies whether to permit authorizations on this cardholder's cards.
One of `individual` or `company`.
The reason why the previous card needed to be replaced.
The address validation capabilities to use.
The validation result for the shipping address.
The delivery company that shipped a card.
Shipment service, such as `standard` or `express`.
The delivery status of the card.
Packaging options.
Interval (or event) to which the amount applies.
Whether authorizations can be approved on this card.
The type of the card.
Reason the card is ineligible for Apple Pay.
Reason the card is ineligible for Google Pay.
Whether the product was a merchandise or service.
Result of cardholder's attempt to return the product.
Result of cardholder's attempt to return the product.
Whether the product was a merchandise or service.
Whether the product was a merchandise or service.
The reason for filing the dispute.
The enum that describes the dispute loss outcome.
Current status of the dispute.
The reason(s) the card logo was rejected.
The reason(s) the carrier text was rejected.
Whether this personalization design can be used to create cards.
The policy for how to use card logo images in a card design with this physical bundle.
The policy for how to use carrier letter text in a card design with this physical bundle.
The policy for how to use a second line on a card with this physical bundle.
Whether this physical bundle can be used to create cards.
Whether this physical bundle is a standard Stripe offering or custom-made for you.
The token service provider / card network associated with the token.
The type of device used for tokenization.
The network that the token is associated with.
The method used for tokenizing a card.
The reasons for suggested tokenization given by the card network.
The recommendation on responding to the tokenization request.
The usage state of the token.
The digital wallet for this token, if one was used.
The type of fuel that was purchased.
The units for `quantity_decimal`.
The nature of the transaction.
The digital wallet used for this transaction.
Level represents a logging level.
The reasoning behind this tax, for example, if the product is tax exempt.
The mandate includes the type of customer acceptance information, such as: `online` or `offline`.
List of Stripe products where this mandate can be selected automatically.
Payment schedule for the mandate.
Transaction type of the mandate.
The status of the mandate on the Bacs network.
When the mandate is revoked on the Bacs network this field displays the reason for the revocation.
This mandate corresponds with a specific payment method type.
Mandate collection method.
The mandate status indicates whether or not you can use it to initiate a payment.
The type of the mandate.
OAuthScopeType is the type of OAuth scope.
OAuthStripeUserBusinessType is the business type for the Stripe oauth user.
OAuthStripeUserGender of the person who will be filling out a Stripe application.
OAuthTokenType is the type of token.
Controls whether this PaymentIntent will accept redirect-based payment methods.
Reason for cancellation of this PaymentIntent, either user-provided (`duplicate`, `fraudulent`, `requested_by_customer`, or `abandoned`) or generated by Stripe internally (`failed_invoice`, `void_invoice`, or `automatic`).
Controls when the funds will be captured from the customer's account.
Describes whether we can confirm this PaymentIntent automatically, or if it requires customer action to confirm the payment.
The payment networks supported by this FinancialAddress.
The type of financial address.
Type of bank transfer.
Type of the next action to perform, one of `redirect_to_url`, `use_stripe_sdk`, `alipay_handle_redirect`, `oxxo_display_details`, or `verify_with_microdeposits`.
The type of the microdeposit sent to the customer.
Payment schedule for the mandate.
Transaction type of the mandate.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Bank account verification method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
For `fixed_count` installment plans, this is the interval between installment payments your customer will make to their credit card.
Type of installment plan, one of `fixed_count`.
One of `fixed` or `maximum`.
Specifies payment frequency.
Specifies the type of mandates supported.
Selected network to process this payment intent on.
Requested routing priority.
Request ability to [capture beyond the standard authorization validity window](https://stripe.com/docs/payments/extended-authorization) for this PaymentIntent.
Request ability to [increment the authorization](https://stripe.com/docs/payments/incremental-authorization) for this PaymentIntent.
Request ability to make [multiple captures](https://stripe.com/docs/payments/multicapture) for this PaymentIntent.
Request ability to [overcapture](https://stripe.com/docs/payments/overcapture) for this PaymentIntent.
We strongly recommend that you rely on our SCA Engine to automatically prompt your customers for authentication based on risk level and [other requirements](https://stripe.com/docs/strong-customer-authentication).
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
List of address types that should be returned in the financial_addresses response.
The bank transfer type that this PaymentIntent is allowed to use for funding Permitted values include: `eu_bank_transfer`, `gb_bank_transfer`, `jp_bank_transfer`, `mx_bank_transfer`, or `us_bank_transfer`.
The funding method type to be used when there are not enough funds in the customer balance.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Controls when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
The account subcategories to use to filter for possible accounts to link.
The list of permissions to request.
Data features requested to be retrieved upon account creation.
Mandate collection method.
Preferred transaction settlement speed.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Bank account verification method.
The client type that the end customer will pay from.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Type of the payment method for which payment is in `processing` state, one of `card`.
Indicates that you intend to make future payments with this PaymentIntent's payment method.
Status of this PaymentIntent, one of `requires_payment_method`, `requires_confirmation`, `requires_action`, `processing`, `requires_capture`, `canceled`, or `succeeded`.
The specified behavior after the purchase is complete.
Type of the account referenced.
Configuration for collecting the customer's billing address.
Determines the position and visibility of the payment method reuse agreement in the UI.
If set to `auto`, enables the collection of customer consent for promotional communications.
If set to `required`, it requires cutomers to accept the terms of service before being able to pay.
Configuration for Customer creation during checkout.
The type of the label.
The type of the field.
Type of the account referenced.
Indicates when the funds will be captured from the customer's account.
Indicates that you intend to make future payments with the payment method collected during checkout.
Configuration for collecting a payment method during checkout.
The list of payment method types that customers can use.
Indicates the type of transaction being performed which customizes relevant text on the page, such as the submit button.
Type of the account referenced.
Indicates how the subscription should change when the trial ends if the user did not provide a payment method.
This field indicates whether this payment method can be shown again to its customer in a checkout flow.
Card brand.
If a address line1 was provided, results of the check, one of `pass`, `fail`, `unavailable`, or `unchecked`.
If a address postal code was provided, results of the check, one of `pass`, `fail`, `unavailable`, or `unchecked`.
If a CVC was provided, results of the check, one of `pass`, `fail`, `unavailable`, or `unchecked`.
The method used to process this payment method offline.
How card details were read in this transaction.
The type of account being debited or credited.
The type of mobile wallet, one of `apple_pay`, `google_pay`, `samsung_pay`, or `unknown`.
All networks available for selection via [payment_method_options.card.network](https://stripe.com/api/payment_intents/confirm#confirm_payment_intent-payment_method_options-card-network).
The preferred network for co-branded cards.
The method used to process this payment method offline.
How card details were read in this transaction.
The type of mobile wallet, one of `apple_pay`, `google_pay`, `samsung_pay`, or `unknown`.
Status of a card based on the card issuer.
The type of the card wallet, one of `amex_express_checkout`, `apple_pay`, `google_pay`, `masterpass`, `samsung_pay`, `visa_checkout`, or `link`.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The account's display preference.
The effective display preference value.
The status of the payment method on the domain.
The status of the payment method on the domain.
The status of the payment method on the domain.
The status of the payment method on the domain.
The status of the payment method on the domain.
Account holder type, if provided.
How card details were read in this transaction.
The local credit or debit card brand.
Whether to fund this transaction with Naver Pay points or a card.
The type of the PaymentMethod.
Account holder type: individual or company.
Account type: checkings or savings.
All supported networks.
The ACH network code that resulted in this block.
The reason why this PaymentMethod's fingerprint has been blocked.
Error code that provides a reason for a payout failure, if available.
The method used to send this payout, which can be `standard` or `instant`.
If `completed`, you can use the [Balance Transactions API](https://stripe.com/docs/api/balance_transactions/list#balance_transaction_list-payout) to list all balance transactions that are paid out in this payout.
The source balance this payout came from, which can be one of the following: `card`, `fpx`, or `bank_account`.
Current status of the payout: `paid`, `pending`, `in_transit`, `canceled` or `failed`.
Can be `bank_account` or `card`.
Indicates if the person or any of their representatives, family members, or other closely related persons, declares that they hold or have held an important public job or function, in any jurisdiction.
One of `document_address_mismatch`, `document_dob_mismatch`, `document_duplicate_type`, `document_id_number_mismatch`, `document_name_mismatch`, `document_nationality_mismatch`, `failed_keyed_identity`, or `failed_other`.
One of `document_corrupt`, `document_country_not_supported`, `document_expired`, `document_failed_copy`, `document_failed_other`, `document_failed_test_mode`, `document_fraudulent`, `document_failed_greyscale`, `document_incomplete`, `document_invalid`, `document_manipulated`, `document_missing_back`, `document_missing_front`, `document_not_readable`, `document_not_uploaded`, `document_photo_mismatch`, `document_too_large`, or `document_type_not_supported`.
The state of verification for the person.
Specifies a usage aggregation strategy for plans of `usage_type=metered`.
Describes how to compute the price per period.
The frequency at which a subscription is billed.
Defines if the tiering price should be `graduated` or `volume` based.
After division, either round the result `up` or `down`.
Configures how the quantity per period should be determined.
Describes how to compute the price per period.
Only required if a [default tax behavior](https://stripe.com/docs/tax/products-prices-tax-categories-tax-behavior#setting-a-default-tax-behavior-(recommended)) was not provided in the Stripe Tax settings.
Specifies a usage aggregation strategy for prices of `usage_type=metered`.
The frequency at which a subscription is billed.
Configures how the quantity per period should be determined.
Only required if a [default tax behavior](https://stripe.com/docs/tax/products-prices-tax-categories-tax-behavior#setting-a-default-tax-behavior-(recommended)) was not provided in the Stripe Tax settings.
Defines if the tiering price should be `graduated` or `volume` based.
After division, either round the result `up` or `down`.
One of `one_time` or `recurring` depending on whether the price is for a one-time purchase or a recurring (subscription) purchase.
The type of the product.
Query is the function used to get a page listing.
Type of the account referenced.
The status of the most recent automated tax calculation for this quote.
Either `charge_automatically`, or `send_invoice`.
The frequency at which a subscription is billed.
The reasoning behind this tax, for example, if the product is tax exempt.
The reasoning behind this tax, for example, if the product is tax exempt.
Type of the account referenced.
The status of the quote.
The reasoning behind this tax, for example, if the product is tax exempt.
The type of fraud labelled by the issuer.
The type of items in the value list.
The type of refund.
Provides the reason for the refund failure.
Reason for the refund, which is either user-provided (`duplicate`, `fraudulent`, or `requested_by_customer`) or generated by Stripe internally (`expired_uncaptured_charge`).
Status of the refund.
Status of this report run.
The reason the review was closed, or null if it has not yet been closed.
The reason the review was opened.
The reason the review is currently open or closed.
SearchQuery is the function used to get search results.
Indicates the directions of money movement for which this payment method is intended to be used.
The method used to process this payment method offline.
For authenticated transactions: how the customer was authenticated by the issuing bank.
The Electronic Commerce Indicator (ECI).
Indicates the outcome of 3D Secure authentication.
Additional information about why 3D Secure succeeded or failed based on the `result`.
The type of the card wallet, one of `apple_pay`, `google_pay`, or `link`.
The type of the payment method used in the SetupIntent (e.g., `card`).
Status of this SetupAttempt, one of `requires_confirmation`, `requires_action`, `processing`, `succeeded`, `failed`, or `abandoned`.
The value of [usage](https://stripe.com/docs/api/setup_intents/object#setup_intent_object-usage) on the SetupIntent at the time of this confirmation, one of `off_session` or `on_session`.
Controls whether this SetupIntent will accept redirect-based payment methods.
Reason for cancellation of this SetupIntent, one of `abandoned`, `requested_by_customer`, or `duplicate`.
Indicates the directions of money movement for which this payment method is intended to be used.
Type of the next action to perform, one of `redirect_to_url`, `use_stripe_sdk`, `alipay_handle_redirect`, `oxxo_display_details`, or `verify_with_microdeposits`.
The type of the microdeposit sent to the customer.
Currency supported by the bank account.
List of Stripe products where this mandate can be selected automatically.
Payment schedule for the mandate.
Transaction type of the mandate.
Bank account verification method.
One of `fixed` or `maximum`.
Specifies payment frequency.
Specifies the type of mandates supported.
Selected network to process this SetupIntent on.
We strongly recommend that you rely on our SCA Engine to automatically prompt your customers for authentication based on risk level and [other requirements](https://stripe.com/docs/strong-customer-authentication).
The account subcategories to use to filter for possible accounts to link.
The list of permissions to request.
Data features requested to be retrieved upon account creation.
Mandate collection method.
Bank account verification method.
[Status](https://stripe.com/docs/payments/intents#intent-statuses) of this SetupIntent, one of `requires_payment_method`, `requires_confirmation`, `requires_action`, `processing`, `canceled`, or `succeeded`.
Indicates how the payment method is intended to be used in the future.
A unit of time.
A unit of time.
Specifies whether the rate is considered inclusive of taxes or exclusive of taxes.
Specifies whether the rate is considered inclusive of taxes or exclusive of taxes.
The type of calculation to use on the shipping rate.
The query's execution status, which will be `completed` for successful runs, and `canceled`, `failed`, or `timed_out` otherwise.
This field indicates whether this payment method can be shown again to its customer in a checkout flow.
The status of the code verification, either `pending` (awaiting verification, `attempts_remaining` should be greater than 0), `succeeded` (successful verification) or `failed` (failed verification, cannot be verified anymore as `attempts_remaining` should be 0).
The authentication `flow` of the source.
Type of refund attribute method, one of `email`, `manual`, or `none`.
Type of refund attribute status, one of `missing`, `requested`, or `available`.
The failure reason for the redirect, either `user_abort` (the customer aborted or dropped out of the redirect flow), `declined` (the authentication failed or the transaction was declined), or `processing_error` (the redirect failed due to a technical error).
The status of the redirect, either `pending` (ready to be used by your customer to authenticate the transaction), `succeeded` (succesful authentication, cannot be reused) or `not_required` (redirect should not be used) or `failed` (failed authentication, cannot be reused).
The type of this order item.
The status of the source, one of `canceled`, `chargeable`, `consumed`, `failed`, or `pending`.
Either `reusable` or `single_use`.
If Stripe disabled automatic tax, this enum describes why.
Type of the account referenced.
The customer submitted reason for why they canceled, if the subscription was canceled explicitly by the user.
Why this subscription was canceled.
Either `charge_automatically`, or `send_invoice`.
Type of the account referenced.
The payment collection behavior for this subscription while paused.
Transaction type of the mandate.
Bank account verification method.
One of `fixed` or `maximum`.
Selected network to process this Subscription on.
We strongly recommend that you rely on our SCA Engine to automatically prompt your customers for authentication based on risk level and [other requirements](https://stripe.com/docs/strong-customer-authentication).
The funding method type to be used when there are not enough funds in the customer balance.
The account subcategories to use to filter for possible accounts to link.
The list of permissions to request.
Data features requested to be retrieved upon account creation.
Bank account verification method.
The list of payment method types to provide to every invoice created by the subscription.
Configure whether Stripe updates `subscription.default_payment_method` when payment succeeds.
Specifies invoicing frequency.
Possible values are `phase_start` or `automatic`.
Type of the account referenced.
Behavior of the subscription schedule and underlying subscription when it ends.
Possible values are `phase_start` or `automatic`.
Type of the account referenced.
If the subscription schedule will prorate when transitioning to this phase.
The present status of the subscription schedule.
Possible values are `incomplete`, `incomplete_expired`, `trialing`, `active`, `past_due`, `canceled`, `unpaid`, or `paused`.
Indicates how the subscription should change when the trial ends if the user did not provide a payment method.
SupportedBackend is an enumeration of supported Stripe endpoints.
The type of customer address provided.
The taxability override used for taxation.
The type of the tax ID, one of `ad_nrt`, `ar_cuit`, `eu_vat`, `bo_tin`, `br_cnpj`, `br_cpf`, `cn_tin`, `co_nit`, `cr_tin`, `do_rcn`, `ec_ruc`, `eu_oss_vat`, `hr_oib`, `pe_ruc`, `ro_tin`, `rs_pib`, `sv_nit`, `uy_ruc`, `ve_rif`, `vn_tin`, `gb_vat`, `nz_gst`, `au_abn`, `au_arn`, `in_gst`, `no_vat`, `no_voec`, `za_vat`, `ch_vat`, `mx_rfc`, `sg_uen`, `ru_inn`, `ru_kpp`, `ca_bn`, `hk_br`, `es_cif`, `tw_vat`, `th_vat`, `jp_cn`, `jp_rn`, `jp_trn`, `li_uid`, `li_vat`, `my_itn`, `us_ein`, `kr_brn`, `ca_qst`, `ca_gst_hst`, `ca_pst_bc`, `ca_pst_mb`, `ca_pst_sk`, `my_sst`, `sg_gst`, `ae_trn`, `cl_tin`, `sa_vat`, `id_npwp`, `my_frp`, `il_vat`, `ge_vat`, `ua_vat`, `is_vat`, `bg_uic`, `hu_tin`, `si_tin`, `ke_pin`, `tr_tin`, `eg_tin`, `ph_tin`, `al_tin`, `bh_vat`, `kz_bin`, `ng_tin`, `om_vat`, `de_stn`, `ch_uid`, `tz_vat`, `uz_vat`, `uz_tin`, `md_vat`, `ma_vat`, `by_tin`, `ao_tin`, `bs_tin`, `bb_tin`, `cd_nif`, `mr_nif`, `me_pib`, `zw_tin`, `ba_tin`, `gn_nif`, `mk_vat`, `sr_fin`, `sn_ninea`, `am_tin`, `np_pan`, `tj_tin`, `ug_tin`, `zm_tin`, `kh_tin`, or `unknown`.
Specifies whether the `amount` includes taxes.
Indicates the level of the jurisdiction imposing the tax.
Indicates whether the jurisdiction was determined by the origin (merchant's address) or destination (customer's address).
The reasoning behind this tax, for example, if the product is tax exempt.
The tax type, such as `vat` or `sales_tax`.
Specifies whether the `amount` includes taxes.
Indicates the level of the jurisdiction imposing the tax.
Indicates whether the jurisdiction was determined by the origin (merchant's address) or destination (customer's address).
The reasoning behind this tax, for example, if the product is tax exempt.
The tax type, such as `vat` or `sales_tax`.
The reasoning behind this tax, for example, if the product is tax exempt.
Indicates the type of tax rate applied to the taxable amount.
The tax type, such as `vat` or `sales_tax`.
Type of owner referenced.
Type of the tax ID, one of `ad_nrt`, `ae_trn`, `al_tin`, `am_tin`, `ao_tin`, `ar_cuit`, `au_abn`, `au_arn`, `ba_tin`, `bb_tin`, `bg_uic`, `bh_vat`, `bo_tin`, `br_cnpj`, `br_cpf`, `bs_tin`, `by_tin`, `ca_bn`, `ca_gst_hst`, `ca_pst_bc`, `ca_pst_mb`, `ca_pst_sk`, `ca_qst`, `cd_nif`, `ch_uid`, `ch_vat`, `cl_tin`, `cn_tin`, `co_nit`, `cr_tin`, `de_stn`, `do_rcn`, `ec_ruc`, `eg_tin`, `es_cif`, `eu_oss_vat`, `eu_vat`, `gb_vat`, `ge_vat`, `gn_nif`, `hk_br`, `hr_oib`, `hu_tin`, `id_npwp`, `il_vat`, `in_gst`, `is_vat`, `jp_cn`, `jp_rn`, `jp_trn`, `ke_pin`, `kh_tin`, `kr_brn`, `kz_bin`, `li_uid`, `li_vat`, `ma_vat`, `md_vat`, `me_pib`, `mk_vat`, `mr_nif`, `mx_rfc`, `my_frp`, `my_itn`, `my_sst`, `ng_tin`, `no_vat`, `no_voec`, `np_pan`, `nz_gst`, `om_vat`, `pe_ruc`, `ph_tin`, `ro_tin`, `rs_pib`, `ru_inn`, `ru_kpp`, `sa_vat`, `sg_gst`, `sg_uen`, `si_tin`, `sn_ninea`, `sr_fin`, `sv_nit`, `th_vat`, `tj_tin`, `tr_tin`, `tw_vat`, `tz_vat`, `ua_vat`, `ug_tin`, `us_ein`, `uy_ruc`, `uz_tin`, `uz_vat`, `ve_rif`, `vn_tin`, `za_vat`, `zm_tin`, or `zw_tin`.
Verification status, one of `pending`, `verified`, `unverified`, or `unavailable`.
The level of the jurisdiction that imposes this tax rate.
Indicates the type of tax rate applied to the taxable amount.
The high-level tax type, such as `vat` or `sales_tax`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in Canada.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Place of supply scheme used in an EU standard registration.
Type of registration in an EU country.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
The type of the election for the state sales tax registration.
Type of registration in the US.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
Type of registration in `country`.
The status of the registration.
Default [tax behavior](https://stripe.com/docs/tax/products-prices-tax-categories-tax-behavior#tax-behavior) used to specify whether the price is considered inclusive of taxes or exclusive of taxes.
The status of the Tax `Settings`.
The type of customer address provided.
The taxability override used for taxation.
The type of the tax ID, one of `ad_nrt`, `ar_cuit`, `eu_vat`, `bo_tin`, `br_cnpj`, `br_cpf`, `cn_tin`, `co_nit`, `cr_tin`, `do_rcn`, `ec_ruc`, `eu_oss_vat`, `hr_oib`, `pe_ruc`, `ro_tin`, `rs_pib`, `sv_nit`, `uy_ruc`, `ve_rif`, `vn_tin`, `gb_vat`, `nz_gst`, `au_abn`, `au_arn`, `in_gst`, `no_vat`, `no_voec`, `za_vat`, `ch_vat`, `mx_rfc`, `sg_uen`, `ru_inn`, `ru_kpp`, `ca_bn`, `hk_br`, `es_cif`, `tw_vat`, `th_vat`, `jp_cn`, `jp_rn`, `jp_trn`, `li_uid`, `li_vat`, `my_itn`, `us_ein`, `kr_brn`, `ca_qst`, `ca_gst_hst`, `ca_pst_bc`, `ca_pst_mb`, `ca_pst_sk`, `my_sst`, `sg_gst`, `ae_trn`, `cl_tin`, `sa_vat`, `id_npwp`, `my_frp`, `il_vat`, `ge_vat`, `ua_vat`, `is_vat`, `bg_uic`, `hu_tin`, `si_tin`, `ke_pin`, `tr_tin`, `eg_tin`, `ph_tin`, `al_tin`, `bh_vat`, `kz_bin`, `ng_tin`, `om_vat`, `de_stn`, `ch_uid`, `tz_vat`, `uz_vat`, `uz_tin`, `md_vat`, `ma_vat`, `by_tin`, `ao_tin`, `bs_tin`, `bb_tin`, `cd_nif`, `mr_nif`, `me_pib`, `zw_tin`, `ba_tin`, `gn_nif`, `mk_vat`, `sr_fin`, `sn_ninea`, `am_tin`, `np_pan`, `tj_tin`, `ug_tin`, `zm_tin`, `kh_tin`, or `unknown`.
Specifies whether the `amount` includes taxes.
If `reversal`, this line item reverses an earlier transaction.
Specifies whether the `amount` includes taxes.
Indicates the level of the jurisdiction imposing the tax.
Indicates whether the jurisdiction was determined by the origin (merchant's address) or destination (customer's address).
The reasoning behind this tax, for example, if the product is tax exempt.
The tax type, such as `vat` or `sales_tax`.
If `reversal`, this transaction reverses an earlier transaction.
The reason for the refund.
Type of information to be displayed by the reader.
Status of the action performed by the reader.
Type of action performed by the reader.
Type of reader, one of `bbpos_wisepad3`, `stripe_m2`, `stripe_s700`, `bbpos_chipper2x`, `bbpos_wisepos_e`, `verifone_P400`, `simulated_wisepos_e`, or `mobile_phone_reader`.
The networking status of the reader.
The status of the Test Clock.
Type of the token: `account`, `bank_account`, `card`, or `pii`.
The status of the top-up is either `canceled`, `failed`, `pending`, `reversed`, or `succeeded`.
The source balance this transfer came from.
The rails used to reverse the funds.
Status of the CreditReversal.
The rails used to reverse the funds.
Status of the DebitReversal.
The array of paths to active Features in the Features hash.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
Whether the Feature is operational.
Represents the reason why the status is `pending` or `restricted`.
Represents what the user should do, if anything, to activate the Feature.
The `platform_restrictions` that are restricting this Feature.
The list of networks that the address supports.
The type of financial address.
The array of paths to pending Features in the Features hash.
Restricts all inbound money movement.
Restricts all outbound money movement.
The array of paths to restricted Features in the Features hash.
Status of this FinancialAccount.
The array that contains reasons for a FinancialAccount closure.
Reason for the failure.
The type of the payment method used in the InboundTransfer.
Account holder type: individual or company.
Account type: checkings or savings.
The network rails used.
Status of the InboundTransfer: `processing`, `succeeded`, `failed`, and `canceled`.
The rails used to send funds.
The type of the payment method used in the OutboundPayment.
Account holder type: individual or company.
Account type: checkings or savings.
The network rails used.
Reason for the return.
Current status of the OutboundPayment: `processing`, `failed`, `posted`, `returned`, `canceled`.
The US bank account network used to send funds.
The rails used to send funds.
The type of the payment method used in the OutboundTransfer.
Account holder type: individual or company.
Account type: checkings or savings.
The network rails used.
Reason for the return.
Current status of the OutboundTransfer: `processing`, `failed`, `canceled`, `posted`, `returned`.
The US bank account network used to send funds.
Reason for the failure.
Set when `type` is `balance`.
The rails the ReceivedCredit was sent over.
Polymorphic type matching the originating money movement's source.
The type of the source flow that originated the ReceivedCredit.
The rails used to send the funds.
Set if a ReceivedCredit cannot be reversed.
Status of the ReceivedCredit.
Reason for the failure.
Set when `type` is `balance`.
The rails the ReceivedCredit was sent over.
Polymorphic type matching the originating money movement's source.
The network used for the ReceivedDebit.
Set if a ReceivedDebit can't be reversed.
Status of the ReceivedDebit.
Type of the flow that created the Transaction.
Type of the flow associated with the TransactionEntry.
The specific money movement that generated the TransactionEntry.
Type of the flow that created the Transaction.
Type of the flow that created the Transaction.
Status of the Transaction.