Categorygithub.com/Increase/increase-go
modulepackage
0.138.0
Repository: https://github.com/increase/increase-go.git
Documentation: pkg.go.dev

# README

Increase Go API Library

Go Reference

The Increase Go library provides convenient access to the Increase REST API from applications written in Go. The full API of this library can be found in api.md.

Installation

import (
	"github.com/Increase/increase-go" // imported as increase
)

Or to pin the version:

go get -u 'github.com/Increase/[email protected]'

Requirements

This library requires Go 1.18+.

Usage

The full API of this library can be found in api.md.

package main

import (
	"context"
	"fmt"

	"github.com/Increase/increase-go"
	"github.com/Increase/increase-go/option"
)

func main() {
	client := increase.NewClient(
		option.WithAPIKey("My API Key"), // defaults to os.LookupEnv("INCREASE_API_KEY")
		option.WithEnvironmentSandbox(), // defaults to option.WithEnvironmentProduction()
	)
	account, err := client.Accounts.New(context.TODO(), increase.AccountNewParams{
		Name:      increase.F("New Account!"),
		EntityID:  increase.F("entity_n8y8tnk2p9339ti393yi"),
		ProgramID: increase.F("program_i2v2os4mwza1oetokh9i"),
	})
	if err != nil {
		panic(err.Error())
	}
	fmt.Printf("%+v\n", account.ID)
}

Request fields

All request parameters are wrapped in a generic Field type, which we use to distinguish zero values from null or omitted fields.

This prevents accidentally sending a zero value if you forget a required parameter, and enables explicitly sending null, false, '', or 0 on optional parameters. Any field not specified is not sent.

To construct fields with values, use the helpers String(), Int(), Float(), or most commonly, the generic F[T](). To send a null, use Null[T](), and to send a nonconforming value, use Raw[T](any). For example:

params := FooParams{
	Name: increase.F("hello"),

	// Explicitly send `"description": null`
	Description: increase.Null[string](),

	Point: increase.F(increase.Point{
		X: increase.Int(0),
		Y: increase.Int(1),

		// In cases where the API specifies a given type,
		// but you want to send something else, use `Raw`:
		Z: increase.Raw[int64](0.01), // sends a float
	}),
}

Response objects

All fields in response structs are value types (not pointers or wrappers).

If a given field is null, not present, or invalid, the corresponding field will simply be its zero value.

All response structs also include a special JSON field, containing more detailed information about each property, which you can use like so:

if res.Name == "" {
	// true if `"name"` is either not present or explicitly null
	res.JSON.Name.IsNull()

	// true if the `"name"` key was not present in the repsonse JSON at all
	res.JSON.Name.IsMissing()

	// When the API returns data that cannot be coerced to the expected type:
	if res.JSON.Name.IsInvalid() {
		raw := res.JSON.Name.Raw()

		legacyName := struct{
			First string `json:"first"`
			Last  string `json:"last"`
		}{}
		json.Unmarshal([]byte(raw), &legacyName)
		name = legacyName.First + " " + legacyName.Last
	}
}

These .JSON structs also include an Extras map containing any properties in the json response that were not specified in the struct. This can be useful for API features not yet present in the SDK.

body := res.JSON.ExtraFields["my_unexpected_field"].Raw()

RequestOptions

This library uses the functional options pattern. Functions defined in the option package return a RequestOption, which is a closure that mutates a RequestConfig. These options can be supplied to the client or at individual requests. For example:

client := increase.NewClient(
	// Adds a header to every request made by the client
	option.WithHeader("X-Some-Header", "custom_header_info"),
)

client.Accounts.New(context.TODO(), ...,
	// Override the header
	option.WithHeader("X-Some-Header", "some_other_custom_header_info"),
	// Add an undocumented field to the request body, using sjson syntax
	option.WithJSONSet("some.json.path", map[string]string{"my": "object"}),
)

See the full list of request options.

Pagination

This library provides some conveniences for working with paginated list endpoints.

You can use .ListAutoPaging() methods to iterate through items across all pages:

iter := client.Accounts.ListAutoPaging(context.TODO(), increase.AccountListParams{})
// Automatically fetches more pages as needed.
for iter.Next() {
	account := iter.Current()
	fmt.Printf("%+v\n", account)
}
if err := iter.Err(); err != nil {
	panic(err.Error())
}

Or you can use simple .List() methods to fetch a single page and receive a standard response object with additional helper methods like .GetNextPage(), e.g.:

page, err := client.Accounts.List(context.TODO(), increase.AccountListParams{})
for page != nil {
	for _, account := range page.Data {
		fmt.Printf("%+v\n", account)
	}
	page, err = page.GetNextPage()
}
if err != nil {
	panic(err.Error())
}

Errors

When the API returns a non-success status code, we return an error with type *increase.Error. This contains the StatusCode, *http.Request, and *http.Response values of the request, as well as the JSON of the error body (much like other response objects in the SDK).

To handle errors, we recommend that you use the errors.As pattern:

_, err := client.Accounts.New(context.TODO(), increase.AccountNewParams{
	Name: increase.F("New Account!"),
})
if err != nil {
	var apierr *increase.Error
	if errors.As(err, &apierr) {
		println(string(apierr.DumpRequest(true)))  // Prints the serialized HTTP request
		println(string(apierr.DumpResponse(true))) // Prints the serialized HTTP response
	}
	panic(err.Error()) // GET "/accounts": 400 Bad Request { ... }
}

When other errors occur, they are returned unwrapped; for example, if HTTP transport fails, you might receive *url.Error wrapping *net.OpError.

Timeouts

Requests do not time out by default; use context to configure a timeout for a request lifecycle.

Note that if a request is retried, the context timeout does not start over. To set a per-retry timeout, use option.WithRequestTimeout().

// This sets the timeout for the request, including all the retries.
ctx, cancel := context.WithTimeout(context.Background(), 5*time.Minute)
defer cancel()
client.Accounts.New(
	ctx,
	increase.AccountNewParams{
		Name:      increase.F("New Account!"),
		EntityID:  increase.F("entity_n8y8tnk2p9339ti393yi"),
		ProgramID: increase.F("program_i2v2os4mwza1oetokh9i"),
	},
	// This sets the per-retry timeout
	option.WithRequestTimeout(20*time.Second),
)

File uploads

Request parameters that correspond to file uploads in multipart requests are typed as param.Field[io.Reader]. The contents of the io.Reader will by default be sent as a multipart form part with the file name of "anonymous_file" and content-type of "application/octet-stream".

The file name and content-type can be customized by implementing Name() string or ContentType() string on the run-time type of io.Reader. Note that os.File implements Name() string, so a file returned by os.Open will be sent with the file name on disk.

We also provide a helper increase.FileParam(reader io.Reader, filename string, contentType string) which can be used to wrap any io.Reader with the appropriate file name and content type.

// A file from the file system
file, err := os.Open("my/file.txt")
increase.FileNewParams{
	File:    increase.F[io.Reader](file),
	Purpose: increase.F(increase.FileNewParamsPurposeCheckImageFront),
}

// A file from a string
increase.FileNewParams{
	File:    increase.F[io.Reader](strings.NewReader("my file contents")),
	Purpose: increase.F(increase.FileNewParamsPurposeCheckImageFront),
}

// With a custom filename and contentType
increase.FileNewParams{
	File:    increase.FileParam(strings.NewReader(`{"hello": "foo"}`), "file.go", "application/json"),
	Purpose: increase.F(increase.FileNewParamsPurposeCheckImageFront),
}

Retries

Certain errors will be automatically retried 2 times by default, with a short exponential backoff. We retry by default all connection errors, 408 Request Timeout, 409 Conflict, 429 Rate Limit, and >=500 Internal errors.

You can use the WithMaxRetries option to configure or disable this:

// Configure the default for all requests:
client := increase.NewClient(
	option.WithMaxRetries(0), // default is 2
)

// Override per-request:
client.Accounts.New(
	context.TODO(),
	increase.AccountNewParams{
		Name:      increase.F("New Account!"),
		EntityID:  increase.F("entity_n8y8tnk2p9339ti393yi"),
		ProgramID: increase.F("program_i2v2os4mwza1oetokh9i"),
	},
	option.WithMaxRetries(5),
)

Middleware

We provide option.WithMiddleware which applies the given middleware to requests.

func Logger(req *http.Request, next option.MiddlewareNext) (res *http.Response, err error) {
	// Before the request
	start := time.Now()
	LogReq(req)

	// Forward the request to the next handler
	res, err = next(req)

	// Handle stuff after the request
	end := time.Now()
	LogRes(res, err, start - end)

    return res, err
}

client := increase.NewClient(
	option.WithMiddleware(Logger),
)

When multiple middlewares are provided as variadic arguments, the middlewares are applied left to right. If option.WithMiddleware is given multiple times, for example first in the client then the method, the middleware in the client will run first and the middleware given in the method will run next.

You may also replace the default http.Client with option.WithHTTPClient(client). Only one http client is accepted (this overwrites any previous client) and receives requests after any middleware has been applied.

Semantic versioning

This package generally follows SemVer conventions, though certain backwards-incompatible changes may be released as minor versions:

  1. Changes to library internals which are technically public but not intended or documented for external use. (Please open a GitHub issue to let us know if you are relying on such internals).
  2. Changes that we do not expect to impact the vast majority of users in practice.

We take backwards-compatibility seriously and work hard to ensure you can rely on a smooth upgrade experience.

We are keen for your feedback; please open an issue with questions, bugs, or suggestions.

Contributing

See the contributing documentation.

# Packages

No description provided by the author
No description provided by the author
No description provided by the author

# Functions

Bool is a param field helper which helps specify bools.
F is a param field helper used to initialize a [param.Field] generic struct.
FileParam is a param field helper which helps files with a mime content-type.
Float is a param field helper which helps specify floats.
Int is a param field helper which helps specify integers.
NewAccountNumberService generates a new service that applies the given options to each request.
NewAccountService generates a new service that applies the given options to each request.
NewAccountStatementService generates a new service that applies the given options to each request.
NewAccountTransferService generates a new service that applies the given options to each request.
NewACHPrenotificationService generates a new service that applies the given options to each request.
NewACHTransferService generates a new service that applies the given options to each request.
NewBookkeepingAccountService generates a new service that applies the given options to each request.
NewBookkeepingEntryService generates a new service that applies the given options to each request.
NewBookkeepingEntrySetService generates a new service that applies the given options to each request.
NewCardDisputeService generates a new service that applies the given options to each request.
NewCardPaymentService generates a new service that applies the given options to each request.
NewCardPurchaseSupplementService generates a new service that applies the given options to each request.
NewCardService generates a new service that applies the given options to each request.
NewCheckDepositService generates a new service that applies the given options to each request.
NewCheckTransferService generates a new service that applies the given options to each request.
NewClient generates a new client with the default option read from the environment (INCREASE_API_KEY, INCREASE_WEBHOOK_SECRET).
NewDeclinedTransactionService generates a new service that applies the given options to each request.
NewDigitalCardProfileService generates a new service that applies the given options to each request.
NewDigitalWalletTokenService generates a new service that applies the given options to each request.
NewDocumentService generates a new service that applies the given options to each request.
NewEntityService generates a new service that applies the given options to each request.
NewEventService generates a new service that applies the given options to each request.
NewEventSubscriptionService generates a new service that applies the given options to each request.
NewExportService generates a new service that applies the given options to each request.
NewExternalAccountService generates a new service that applies the given options to each request.
NewFileService generates a new service that applies the given options to each request.
NewGroupService generates a new service that applies the given options to each request.
NewInboundACHTransferService generates a new service that applies the given options to each request.
NewInboundCheckDepositService generates a new service that applies the given options to each request.
NewInboundMailItemService generates a new service that applies the given options to each request.
NewInboundRealTimePaymentsTransferService generates a new service that applies the given options to each request.
NewInboundWireDrawdownRequestService generates a new service that applies the given options to each request.
NewInboundWireTransferService generates a new service that applies the given options to each request.
NewIntrafiAccountEnrollmentService generates a new service that applies the given options to each request.
NewIntrafiBalanceService generates a new service that applies the given options to each request.
NewIntrafiExclusionService generates a new service that applies the given options to each request.
NewLockboxService generates a new service that applies the given options to each request.
NewOAuthConnectionService generates a new service that applies the given options to each request.
NewOAuthTokenService generates a new service that applies the given options to each request.
NewPendingTransactionService generates a new service that applies the given options to each request.
NewPhysicalCardProfileService generates a new service that applies the given options to each request.
NewPhysicalCardService generates a new service that applies the given options to each request.
NewProgramService generates a new service that applies the given options to each request.
NewProofOfAuthorizationRequestService generates a new service that applies the given options to each request.
NewProofOfAuthorizationRequestSubmissionService generates a new service that applies the given options to each request.
NewRealTimeDecisionService generates a new service that applies the given options to each request.
NewRealTimePaymentsRequestForPaymentService generates a new service that applies the given options to each request.
NewRealTimePaymentsTransferService generates a new service that applies the given options to each request.
NewRoutingNumberService generates a new service that applies the given options to each request.
NewSimulationAccountStatementService generates a new service that applies the given options to each request.
NewSimulationAccountTransferService generates a new service that applies the given options to each request.
NewSimulationACHTransferService generates a new service that applies the given options to each request.
NewSimulationCardAuthorizationExpirationService generates a new service that applies the given options to each request.
NewSimulationCardAuthorizationService generates a new service that applies the given options to each request.
NewSimulationCardDisputeService generates a new service that applies the given options to each request.
NewSimulationCardFuelConfirmationService generates a new service that applies the given options to each request.
NewSimulationCardIncrementService generates a new service that applies the given options to each request.
NewSimulationCardRefundService generates a new service that applies the given options to each request.
NewSimulationCardReversalService generates a new service that applies the given options to each request.
NewSimulationCardSettlementService generates a new service that applies the given options to each request.
NewSimulationCheckDepositService generates a new service that applies the given options to each request.
NewSimulationCheckTransferService generates a new service that applies the given options to each request.
NewSimulationDigitalWalletTokenRequestService generates a new service that applies the given options to each request.
NewSimulationDocumentService generates a new service that applies the given options to each request.
NewSimulationInboundACHTransferService generates a new service that applies the given options to each request.
NewSimulationInboundCheckDepositService generates a new service that applies the given options to each request.
NewSimulationInboundFundsHoldService generates a new service that applies the given options to each request.
NewSimulationInboundMailItemService generates a new service that applies the given options to each request.
NewSimulationInboundRealTimePaymentsTransferService generates a new service that applies the given options to each request.
NewSimulationInboundWireDrawdownRequestService generates a new service that applies the given options to each request.
NewSimulationInboundWireTransferService generates a new service that applies the given options to each request.
NewSimulationInterestPaymentService generates a new service that applies the given options to each request.
NewSimulationPhysicalCardService generates a new service that applies the given options to each request.
NewSimulationProgramService generates a new service that applies the given options to each request.
NewSimulationRealTimePaymentsTransferService generates a new service that applies the given options to each request.
NewSimulationService generates a new service that applies the given options to each request.
NewSimulationWireTransferService generates a new service that applies the given options to each request.
NewSupplementalDocumentService generates a new service that applies the given options to each request.
NewTransactionService generates a new service that applies the given options to each request.
NewWebhookService generates a new service that applies the given options to each request.
NewWireDrawdownRequestService generates a new service that applies the given options to each request.
NewWireTransferService generates a new service that applies the given options to each request.
Null is a param field helper which explicitly sends null to the API.
Raw is a param field helper for specifying values for fields when the type you are looking to send is different from the type that is specified in the SDK.
String is a param field helper which helps specify strings.

# Constants

Blue Ridge Bank, N.A.
First Internet Bank of Indiana.
Grasshopper Bank.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Closed Accounts on which no new activity can occur.
Open Accounts that are ready to use.
ACH Debits are allowed.
ACH Debits are blocked.
Checks with this Account Number will be processed even if they are not associated with a Check Transfer.
Checks with this Account Number will be processed only if they can be matched to an existing Check Transfer.
ACH Debits are allowed.
ACH Debits are blocked.
The account number is active.
The account number is permanently disabled.
The account number is temporarily disabled.
ACH Debits are allowed.
ACH Debits are blocked.
Checks with this Account Number will be processed even if they are not associated with a Check Transfer.
Checks with this Account Number will be processed only if they can be matched to an existing Check Transfer.
The account number is active.
The account number is permanently disabled.
The account number is temporarily disabled.
No description provided by the author
ACH Debits are allowed.
ACH Debits are blocked.
Checks with this Account Number will be processed even if they are not associated with a Check Transfer.
Checks with this Account Number will be processed only if they can be matched to an existing Check Transfer.
The account number is active.
The account number is permanently disabled.
The account number is temporarily disabled.
No description provided by the author
Closed Accounts on which no new activity can occur.
Open Accounts that are ready to use.
An API key.
An OAuth application you connected to Increase.
A User in the Increase dashboard.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
No description provided by the author
The transfer has been canceled.
The transfer has been completed.
The transfer is pending approval.
No description provided by the author
No description provided by the author
The Prenotification is for an anticipated credit.
The Prenotification is for an anticipated debit.
The Prenotification is for an anticipated credit.
The Prenotification is for an anticipated debit.
Corporate Credit and Debit (CCD).
Corporate Trade Exchange (CTX).
Internet Initiated (WEB).
Prearranged Payments and Deposits (PPD).
The addenda had an incorrect format.
The depository financial institution account number was not from the original entry detail record.
The account number was incorrect.
The account number and the transaction code were incorrect.
The company identification number was incorrect.
The discretionary data was incorrect.
The individual identification number or identification number was incorrect.
The individual identification number was incorrect.
The corrected data was incorrectly formatted.
The receiving depository financial institution identification was incorrect.
The routing number was incorrect.
The routing number, account number, and transaction code were incorrect.
Both the routing number and the account number were incorrect.
The standard entry class code was incorrect for an outbound international payment.
The trace number was incorrect.
The transaction code was incorrect.
The transaction code was incorrect, initiated by the originating depository financial institution.
The notification of change was misrouted.
The routing number was not from the original entry detail record.
Code R02.
Code R16.
Code R12.
Code R25.
Code R19.
Code R07.
Code R15.
Code R29.
Code R74.
Code R23.
Code R11.
Code R10.
Code R24.
Code R67.
Code R47.
Code R43.
Code R44.
Code R45.
Code R46.
Code R41.
Code R40.
Code R42.
Code R84.
Code R69.
Code R17.
Code R83.
Code R80.
Code R18.
Code R39.
Code R85.
Code R01.
Code R04.
Code R13.
Code R21.
Code R82.
Code R22.
Code R53.
Code R51.
Code R34.
Code R26.
Code R71.
Code R61.
Code R03.
Code R76.
Code R77.
Code R81.
Code R20.
Code R08.
Code R31.
Code R70.
Code R32.
Code R30.
Code R14.
Code R06.
Code R75.
Code R62.
Code R36.
Code R35.
Code R33.
Code R28.
Code R37.
Code R50.
Code R52.
Code R38.
Code R73.
Code R27.
Code R05.
Code R09.
Code R72.
Code R68.
The Prenotification is pending submission.
The Prenotification requires attention.
The Prenotification has been returned.
The Prenotification is complete.
No description provided by the author
Unstructured `payment_related_information` passed through with the transfer.
Unknown addenda type.
Structured ASC X12 820 remittance advice records.
An API key.
An OAuth application you connected to Increase.
A User in the Increase dashboard.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The External Account is owned by a business.
The External Account is owned by an individual.
It's unknown what kind of entity owns the External Account.
A checking account.
A savings account.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Funds have been released.
Funds are still being held.
No description provided by the author
No description provided by the author
Unstructured `payment_related_information` passed through with the transfer.
Structured ASC X12 820 remittance advice records.
The External Account is owned by a business.
The External Account is owned by an individual.
It's unknown what kind of entity owns the External Account.
A checking account.
A savings account.
The chosen effective date will be the business day following the ACH processing date on which the transfer is submitted.
The chosen effective date will be the same as the ACH processing date on which the transfer is submitted.
Corporate Credit and Debit (CCD).
Corporate Trade Exchange (CTX).
Internet Initiated (WEB).
Prearranged Payments and Deposits (PPD).
A Transaction will be created when the funds settle at the Federal Reserve.
A Transaction will be created immediately.
The addenda had an incorrect format.
The depository financial institution account number was not from the original entry detail record.
The account number was incorrect.
The account number and the transaction code were incorrect.
The company identification number was incorrect.
The discretionary data was incorrect.
The individual identification number or identification number was incorrect.
The individual identification number was incorrect.
The corrected data was incorrectly formatted.
The receiving depository financial institution identification was incorrect.
The routing number was incorrect.
The routing number, account number, and transaction code were incorrect.
Both the routing number and the account number were incorrect.
The standard entry class code was incorrect for an outbound international payment.
The trace number was incorrect.
The transaction code was incorrect.
The transaction code was incorrect, initiated by the originating depository financial institution.
The notification of change was misrouted.
The routing number was not from the original entry detail record.
The chosen effective date will be the business day following the ACH processing date on which the transfer is submitted.
The chosen effective date will be the same as the ACH processing date on which the transfer is submitted.
Code R02.
Code R16.
Code R12.
Code R25.
Code R19.
Code R07.
Code R15.
Code R29.
Code R74.
Code R23.
Code R11.
Code R10.
Code R24.
Code R67.
Code R47.
Code R43.
Code R44.
Code R45.
Code R46.
Code R41.
Code R40.
Code R42.
Code R84.
Code R69.
Code R17.
Code R83.
Code R80.
Code R18.
Code R39.
Code R85.
Code R01.
Code R04.
Code R13.
Code R21.
Code R82.
Code R22.
Code R53.
Code R51.
Code R34.
Code R26.
Code R71.
Code R61.
Code R03.
Code R76.
Code R77.
Code R81.
Code R20.
Code R08.
Code R31.
Code R70.
Code R32.
Code R30.
Code R14.
Code R06.
Code R75.
Code R62.
Code R36.
Code R35.
Code R33.
Code R28.
Code R37.
Code R50.
Code R52.
Code R38.
Code R73.
Code R27.
Code R05.
Code R09.
Code R72.
Code R68.
Corporate Credit and Debit (CCD).
Corporate Trade Exchange (CTX).
Internet Initiated (WEB).
Prearranged Payments and Deposits (PPD).
The transfer has been canceled.
The transfer is pending approval.
The transfer is pending review by Increase.
The transfer is pending submission to the Federal Reserve.
The transfer belongs to a Transfer Session that is pending confirmation.
The transfer has been rejected.
The transfer requires attention from an Increase operator.
The transfer has been returned.
The transfer is complete.
The transfer is expected to settle on a future date.
The transfer is expected to settle same-day.
No description provided by the author
No description provided by the author
A cash in an commingled Increase Account.
A customer balance.
A cash in an commingled Increase Account.
A customer balance.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
The Card Dispute has been accepted and your funds have been returned.
The Card Dispute has been lost and funds previously credited from the acceptance have been debited.
The Card Dispute is pending review.
The Card Dispute has been rejected.
The Card Dispute has been won and no further action can be taken.
The Card Dispute has been accepted and your funds have been returned.
The Card Dispute has been lost and funds previously credited from the acceptance have been debited.
The Card Dispute is pending review.
The Card Dispute has been rejected.
The Card Dispute has been won and no further action can be taken.
No description provided by the author
This object was actioned by Increase without user intervention.
This object was actioned by the network, through stand-in processing.
This object was actioned by the user through a real-time decision.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
A regular card authorization where funds are debited from the cardholder.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Visa.
No description provided by the author
Visa.
Installment payment: Payment indicator used to indicate one purchase of goods or services that is billed to the account in multiple charges over a period of time agreed upon by the cardholder and merchant from transactions that originate from an acquirer in the US region.
Single transaction of a mail/phone order: Use to indicate that the transaction is a mail/phone order purchase, not a recurring transaction or installment payment.
Non-authenticated security transaction: Use to identify an electronic commerce transaction that uses data encryption for security however , cardholder authentication is not performed using 3-D Secure.
Non-authenticated security transaction at a 3-D Secure-capable merchant, and merchant attempted to authenticate the cardholder using 3-D Secure: Use to identify an electronic commerce transaction where the merchant attempted to authenticate the cardholder using 3-D Secure, but was unable to complete the authentication because the issuer or cardholder does not participate in the 3-D Secure program.
Non-secure transaction: Use to identify an electronic commerce transaction that has no data protection.
Recurring transaction: Payment indicator used to indicate a recurring transaction that originates from an acquirer in the US region.
Secure electronic commerce transaction: Use to indicate that the electronic commerce transaction has been authenticated using e.g., 3-D Secure.
Unknown classification: other mail order: Use to indicate that the type of mail/telephone order is unknown.
Contactless read of chip card.
Contactless read of magnetic stripe data.
Transaction initiated using a credential that has previously been stored on file.
Contact chip card.
Contact chip card, without card verification value.
Magnetic stripe read.
Magnetic stripe read, without card verification value.
Manual key entry.
Optical code.
Unknown.
Account funding transactions are transactions used to e.g., fund an account or transfer funds between accounts.
Automatic fuel dispenser authorizations occur when a card is used at a gas pump, prior to the actual transaction amount being known.
A transaction used to pay a bill.
A regular purchase.
Quasi-cash transactions represent purchases of items which may be convertible to cash.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
No description provided by the author
Postal code and street address match.
Postal code and street address do not match.
No adress was provided in the authorization request.
Postal code matches, but the street address does not match.
Postal code matches, but the street address was not verified.
Postal code does not match, but the street address matches.
The card verification code matched the one on file.
The card verification code did not match the one on file.
No card verification code was provided in the authorization request.
This object was actioned by Increase without user intervention.
This object was actioned by the network, through stand-in processing.
This object was actioned by the user through a real-time decision.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
A regular card authorization where funds are debited from the cardholder.
Visa.
Installment payment: Payment indicator used to indicate one purchase of goods or services that is billed to the account in multiple charges over a period of time agreed upon by the cardholder and merchant from transactions that originate from an acquirer in the US region.
Single transaction of a mail/phone order: Use to indicate that the transaction is a mail/phone order purchase, not a recurring transaction or installment payment.
Non-authenticated security transaction: Use to identify an electronic commerce transaction that uses data encryption for security however , cardholder authentication is not performed using 3-D Secure.
Non-authenticated security transaction at a 3-D Secure-capable merchant, and merchant attempted to authenticate the cardholder using 3-D Secure: Use to identify an electronic commerce transaction where the merchant attempted to authenticate the cardholder using 3-D Secure, but was unable to complete the authentication because the issuer or cardholder does not participate in the 3-D Secure program.
Non-secure transaction: Use to identify an electronic commerce transaction that has no data protection.
Recurring transaction: Payment indicator used to indicate a recurring transaction that originates from an acquirer in the US region.
Secure electronic commerce transaction: Use to indicate that the electronic commerce transaction has been authenticated using e.g., 3-D Secure.
Unknown classification: other mail order: Use to indicate that the type of mail/telephone order is unknown.
Contactless read of chip card.
Contactless read of magnetic stripe data.
Transaction initiated using a credential that has previously been stored on file.
Contact chip card.
Contact chip card, without card verification value.
Magnetic stripe read.
Magnetic stripe read, without card verification value.
Manual key entry.
Optical code.
Unknown.
Account funding transactions are transactions used to e.g., fund an account or transfer funds between accounts.
Automatic fuel dispenser authorizations occur when a card is used at a gas pump, prior to the actual transaction amount being known.
A transaction used to pay a bill.
A regular purchase.
Quasi-cash transactions represent purchases of items which may be convertible to cash.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
The transaction was blocked by a Limit.
The given expiration date did not match the card's value.
The Card was not active.
The given CVV2 did not match the card's value.
Declined by stand-in processing.
The account's entity was not active.
The account was inactive.
The Card's Account did not have a sufficient available balance.
The card read had an invalid CVV, dCVV, or authorization request cryptogram.
The original card authorization for this incremental authorization does not exist.
The Physical Card was not active.
The transaction was suspected to be fraudulent.
The attempted card transaction is not allowed per Increase's terms.
Your application declined the transaction via webhook.
Your application webhook did not respond without the required timeout.
Postal code and street address match.
Postal code and street address do not match.
No adress was provided in the authorization request.
Postal code matches, but the street address does not match.
Postal code matches, but the street address was not verified.
Postal code does not match, but the street address matches.
The card verification code matched the one on file.
The card verification code did not match the one on file.
No card verification code was provided in the authorization request.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Visa.
No description provided by the author
This object was actioned by Increase without user intervention.
This object was actioned by the network, through stand-in processing.
This object was actioned by the user through a real-time decision.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Visa.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Extra mileage.
Gas.
Late return.
No extra charge.
One way service fee.
Parking violation.
No show for specialized vehicle.
Not applicable.
Gift shop.
Laundry.
Mini bar.
No extra charge.
Other.
Restaurant.
Telephone.
No show.
Not applicable.
Free text.
Hotel folio number.
Invoice number.
Order number.
Rental agreement number.
Airline ticket and passenger transport ancillary purchase cancellation.
No credit.
Other.
Passenger transport ancillary purchase cancellation.
Baggage fee.
Bundled service.
Carbon offset.
Cargo.
Change fee.
Frequent flyer.
Gift card.
Ground transport.
In-flight entertainment.
Lounge.
Meal beverage.
Medical.
None.
Other.
Passenger assist fee.
Pets.
Seat fees.
Service fee.
Standby.
Store.
Travel service.
Unaccompanied travel.
Upgrades.
Wi-fi.
Airline ticket and passenger transport ancillary purchase cancellation.
Airline ticket cancellation.
No credit.
Other.
Partial refund of airline ticket.
Passenger transport ancillary purchase cancellation.
No restrictions.
Restricted non-refundable ticket.
Change to existing ticket.
New ticket.
None.
None.
Stop over allowed.
Stop over not allowed.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Visa.
The Card Reversal was a partial reversal, for any reason.
The Card Reversal was initiated at the customer's request.
The Card Reversal was initiated by the network or acquirer.
The Card Reversal was initiated by the point of sale device.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Extra mileage.
Gas.
Late return.
No extra charge.
One way service fee.
Parking violation.
No show for specialized vehicle.
Not applicable.
Gift shop.
Laundry.
Mini bar.
No extra charge.
Other.
Restaurant.
Telephone.
No show.
Not applicable.
Free text.
Hotel folio number.
Invoice number.
Order number.
Rental agreement number.
Airline ticket and passenger transport ancillary purchase cancellation.
No credit.
Other.
Passenger transport ancillary purchase cancellation.
Baggage fee.
Bundled service.
Carbon offset.
Cargo.
Change fee.
Frequent flyer.
Gift card.
Ground transport.
In-flight entertainment.
Lounge.
Meal beverage.
Medical.
None.
Other.
Passenger assist fee.
Pets.
Seat fees.
Service fee.
Standby.
Store.
Travel service.
Unaccompanied travel.
Upgrades.
Wi-fi.
Airline ticket and passenger transport ancillary purchase cancellation.
Airline ticket cancellation.
No credit.
Other.
Partial refund of airline ticket.
Passenger transport ancillary purchase cancellation.
No restrictions.
Restricted non-refundable ticket.
Change to existing ticket.
New ticket.
None.
None.
Stop over allowed.
Stop over not allowed.
No description provided by the author
This object was actioned by Increase without user intervention.
This object was actioned by the network, through stand-in processing.
This object was actioned by the user through a real-time decision.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Visa.
Installment payment: Payment indicator used to indicate one purchase of goods or services that is billed to the account in multiple charges over a period of time agreed upon by the cardholder and merchant from transactions that originate from an acquirer in the US region.
Single transaction of a mail/phone order: Use to indicate that the transaction is a mail/phone order purchase, not a recurring transaction or installment payment.
Non-authenticated security transaction: Use to identify an electronic commerce transaction that uses data encryption for security however , cardholder authentication is not performed using 3-D Secure.
Non-authenticated security transaction at a 3-D Secure-capable merchant, and merchant attempted to authenticate the cardholder using 3-D Secure: Use to identify an electronic commerce transaction where the merchant attempted to authenticate the cardholder using 3-D Secure, but was unable to complete the authentication because the issuer or cardholder does not participate in the 3-D Secure program.
Non-secure transaction: Use to identify an electronic commerce transaction that has no data protection.
Recurring transaction: Payment indicator used to indicate a recurring transaction that originates from an acquirer in the US region.
Secure electronic commerce transaction: Use to indicate that the electronic commerce transaction has been authenticated using e.g., 3-D Secure.
Unknown classification: other mail order: Use to indicate that the type of mail/telephone order is unknown.
Contactless read of chip card.
Contactless read of magnetic stripe data.
Transaction initiated using a credential that has previously been stored on file.
Contact chip card.
Contact chip card, without card verification value.
Magnetic stripe read.
Magnetic stripe read, without card verification value.
Manual key entry.
Optical code.
Unknown.
No description provided by the author
Postal code and street address match.
Postal code and street address do not match.
No adress was provided in the authorization request.
Postal code matches, but the street address does not match.
Postal code matches, but the street address was not verified.
Postal code does not match, but the street address matches.
The card verification code matched the one on file.
The card verification code did not match the one on file.
No card verification code was provided in the authorization request.
Card Authentication: details will be under the `card_authentication` object.
Card Authorization: details will be under the `card_authorization` object.
Card Authorization Expiration: details will be under the `card_authorization_expiration` object.
Card Decline: details will be under the `card_decline` object.
Card Fuel Confirmation: details will be under the `card_fuel_confirmation` object.
Card Increment: details will be under the `card_increment` object.
Card Refund: details will be under the `card_refund` object.
Card Reversal: details will be under the `card_reversal` object.
Card Settlement: details will be under the `card_settlement` object.
Card Validation: details will be under the `card_validation` object.
Unknown card payment element.
No description provided by the author
No invoice level discount provided.
Tax calculated on post discount invoice total.
Tax calculated on pre discount invoice total.
Gross price invoice level.
Gross price line item level.
Net price invoice level.
Net price line item level.
No tax applies.
Credit.
Normal.
Purchase.
No line item level discount provided.
Tax calculated on post discount line item total.
Tax calculated on pre discount line item total.
No description provided by the author
The card is active.
The card is permanently canceled.
The card is temporarily disabled.
No description provided by the author
The card is active.
The card is permanently canceled.
The card is temporarily disabled.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
This check's deposit window has expired.
This is a duplicate check submission.
The check's image is incomplete.
The check was deposited with the incorrect amount.
The check is made out to someone other than the account holder.
This check is missing at least one required field.
This check was not eligible for mobile deposit.
This check has poor image quality.
The check was rejected at the user's request.
This check is suspected to be fraudulent.
The check was rejected for an unknown reason.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The check doesn't allow ACH conversion.
The check present was either altered or fake.
The bank sold this account and no longer services this customer.
The bank cannot determine the amount.
The account is closed.
The check has already been deposited.
The check endorsement was irregular.
The endorsement was missing.
The account this check is drawn on is frozen.
The check image fails the bank's security check.
Insufficient funds.
The check exceeds the bank or customer's limit.
No account was found matching the check details.
The check is a non-cash item and cannot be drawn against the account.
The check was not authorized.
The check is post dated.
The signature is inconsistent with prior signatures.
The check signature was missing.
The check is too old.
The payment has been stopped by the account holder.
The bank suspects a stop payment will be placed.
The bank is unable to process this check.
The reason for the return is unknown.
The image doesn't match the details submitted.
The image could not be read.
The bank cannot read the image.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Funds have been released.
Funds are still being held.
No description provided by the author
The Check Deposit is pending review.
The Check Deposit has been rejected.
The Check Deposit has been returned.
The Check Deposit has been deposited.
No description provided by the author
An API key.
An OAuth application you connected to Increase.
A User in the Increase dashboard.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Increase will print and mail a physical check.
Increase will not print a check; you are responsible for printing and mailing a check with the provided account number, routing number, check number, and amount.
Increase will print and mail a physical check.
Increase will not print a check; you are responsible for printing and mailing a check with the provided account number, routing number, check number, and amount.
The check has been delivered.
The check is in transit.
The check has been processed for delivery.
Delivery failed and the check was returned to sender.
The transfer has been canceled.
The check has been deposited.
The check has been mailed.
The transfer is awaiting approval.
The check is queued for mailing.
The transfer is pending submission.
The transfer has been rejected.
The transfer requires attention from an Increase operator.
The transfer has been returned.
A stop-payment was requested for this check.
The check could not be delivered.
The check was not authorized.
The check was stopped for another reason.
The check could not be delivered.
The check was not authorized.
The check was canceled by an Increase operator who will provide details out-of-band.
The check was stopped for another reason.
No description provided by the author
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
ACH Decline: details will be under the `ach_decline` object.
Card Decline: details will be under the `card_decline` object.
Check Decline: details will be under the `check_decline` object.
Check Deposit Rejection: details will be under the `check_deposit_rejection` object.
Inbound Real-Time Payments Transfer Decline: details will be under the `inbound_real_time_payments_transfer_decline` object.
The Declined Transaction was made for an undocumented or deprecated reason.
Wire Decline: details will be under the `wire_decline` object.
An Account Number.
A Card.
A Lockbox.
The account number is canceled.
The account number is disabled.
The customer no longer authorizes this transaction.
The account holder is deceased.
The transaction would cause an Increase limit to be exceeded.
The corporate customer no longer authorizes this transaction.
The customer refused a credit entry.
The customer advises that the debit was unauthorized.
The account holder identified this transaction as a duplicate.
The account's entity is not active.
Your account is inactive.
Your account contains insufficient funds.
The customer asked for the payment to be stopped.
The payee is deceased.
The originating financial institution asked for this transfer to be returned.
The transaction is not allowed per Increase's terms.
Your integration declined this transfer via the API.
No description provided by the author
This object was actioned by Increase without user intervention.
This object was actioned by the network, through stand-in processing.
This object was actioned by the user through a real-time decision.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
A regular card authorization where funds are debited from the cardholder.
Visa.
Installment payment: Payment indicator used to indicate one purchase of goods or services that is billed to the account in multiple charges over a period of time agreed upon by the cardholder and merchant from transactions that originate from an acquirer in the US region.
Single transaction of a mail/phone order: Use to indicate that the transaction is a mail/phone order purchase, not a recurring transaction or installment payment.
Non-authenticated security transaction: Use to identify an electronic commerce transaction that uses data encryption for security however , cardholder authentication is not performed using 3-D Secure.
Non-authenticated security transaction at a 3-D Secure-capable merchant, and merchant attempted to authenticate the cardholder using 3-D Secure: Use to identify an electronic commerce transaction where the merchant attempted to authenticate the cardholder using 3-D Secure, but was unable to complete the authentication because the issuer or cardholder does not participate in the 3-D Secure program.
Non-secure transaction: Use to identify an electronic commerce transaction that has no data protection.
Recurring transaction: Payment indicator used to indicate a recurring transaction that originates from an acquirer in the US region.
Secure electronic commerce transaction: Use to indicate that the electronic commerce transaction has been authenticated using e.g., 3-D Secure.
Unknown classification: other mail order: Use to indicate that the type of mail/telephone order is unknown.
Contactless read of chip card.
Contactless read of magnetic stripe data.
Transaction initiated using a credential that has previously been stored on file.
Contact chip card.
Contact chip card, without card verification value.
Magnetic stripe read.
Magnetic stripe read, without card verification value.
Manual key entry.
Optical code.
Unknown.
Account funding transactions are transactions used to e.g., fund an account or transfer funds between accounts.
Automatic fuel dispenser authorizations occur when a card is used at a gas pump, prior to the actual transaction amount being known.
A transaction used to pay a bill.
A regular purchase.
Quasi-cash transactions represent purchases of items which may be convertible to cash.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
The transaction was blocked by a Limit.
The given expiration date did not match the card's value.
The Card was not active.
The given CVV2 did not match the card's value.
Declined by stand-in processing.
The account's entity was not active.
The account was inactive.
The Card's Account did not have a sufficient available balance.
The card read had an invalid CVV, dCVV, or authorization request cryptogram.
The original card authorization for this incremental authorization does not exist.
The Physical Card was not active.
The transaction was suspected to be fraudulent.
The attempted card transaction is not allowed per Increase's terms.
Your application declined the transaction via webhook.
Your application webhook did not respond without the required timeout.
Postal code and street address match.
Postal code and street address do not match.
No adress was provided in the authorization request.
Postal code matches, but the street address does not match.
Postal code matches, but the street address was not verified.
Postal code does not match, but the street address matches.
The card verification code matched the one on file.
The card verification code did not match the one on file.
No card verification code was provided in the authorization request.
ACH Decline: details will be under the `ach_decline` object.
Card Decline: details will be under the `card_decline` object.
Check Decline: details will be under the `check_decline` object.
Check Deposit Rejection: details will be under the `check_deposit_rejection` object.
Inbound Real-Time Payments Transfer Decline: details will be under the `inbound_real_time_payments_transfer_decline` object.
The Declined Transaction was made for an undocumented or deprecated reason.
Wire Decline: details will be under the `wire_decline` object.
The account number is canceled.
The account number is disabled.
The deposited check was altered or fictitious.
The amount the receiving bank is attempting to deposit does not match the amount on the check.
The transaction would cause a limit to be exceeded.
The check was a duplicate deposit.
The check was not endorsed by the payee.
The account's entity is not active.
Your account is inactive.
Your account contains insufficient funds.
The account number on the check does not exist at Increase.
The check was not authorized.
The check attempting to be deposited does not belong to Increase.
The check is not readable.
Stop payment requested for this check.
The check cannot be processed.
Your integration declined this check via the API.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
This check's deposit window has expired.
This is a duplicate check submission.
The check's image is incomplete.
The check was deposited with the incorrect amount.
The check is made out to someone other than the account holder.
This check is missing at least one required field.
This check was not eligible for mobile deposit.
This check has poor image quality.
The check was rejected at the user's request.
This check is suspected to be fraudulent.
The check was rejected for an unknown reason.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The account number is canceled.
The account number is disabled.
Your account is restricted.
The account's entity is not active.
Your account is inactive.
Your account is not enabled to receive Real-Time Payments transfers.
The account number is canceled.
The account number is disabled.
The account's entity is not active.
Your account is inactive.
The beneficiary account number does not exist.
The transaction is not allowed per Increase's terms.
No description provided by the author
The Card Profile can be assigned to Cards.
The Card Profile is no longer in use.
The Card Profile is awaiting review from Increase and/or processing by card networks.
There is an issue with the Card Profile preventing it from use.
The Card Profile can be assigned to Cards.
The Card Profile is no longer in use.
The Card Profile is awaiting review from Increase and/or processing by card networks.
There is an issue with the Card Profile preventing it from use.
No description provided by the author
The digital wallet token is active.
The digital wallet token has been permanently canceled.
The digital wallet token has been created but not successfully activated via two-factor authentication yet.
The digital wallet token has been temporarily paused.
Apple Pay.
Google Pay.
Samsung Pay.
Unknown.
No description provided by the author
Company information, such a policies or procedures, typically submitted during our due diligence process.
Internal Revenue Service Form 1099-INT.
A document submitted in response to a proof of authorization request for an ACH transfer.
Company information, such a policies or procedures, typically submitted during our due diligence process.
Internal Revenue Service Form 1099-INT.
A document submitted in response to a proof of authorization request for an ACH transfer.
No description provided by the author
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A person who manages, directs, or has significant control of the entity.
A person with 25% or greater direct or indirect ownership of the entity.
The Public Entity is a Municipality.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
The entity is active.
The entity is archived, and can no longer be used to create accounts.
The entity is temporarily disabled and cannot be used for financial activity.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A person who manages, directs, or has significant control of the entity.
A person with 25% or greater direct or indirect ownership of the entity.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A person who manages, directs, or has significant control of the entity.
A person with 25% or greater direct or indirect ownership of the entity.
The Public Entity is a Municipality.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A corporation.
A government authority.
Multiple individual people.
An individual person.
A trust.
Alloy.
Middesk.
The trust cannot be revoked.
The trust is revocable by the grantor.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
The trustee is an individual.
The entity is active.
The entity is archived, and can no longer be used to create accounts.
The entity is temporarily disabled and cannot be used for financial activity.
A corporation.
A government authority.
Multiple individual people.
An individual person.
A trust.
No description provided by the author
Alloy.
Middesk.
The trust cannot be revoked.
The trust is revocable by the grantor.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
A driver's license number.
An individual taxpayer identification number (ITIN).
Another identifying document.
A passport number.
A social security number.
The trustee is an individual.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
Occurs whenever an Account is created.
Occurs whenever an Account Number is created.
Occurs whenever an Account Number is updated.
Occurs whenever an Account Statement is created.
Occurs whenever an Account Transfer is created.
Occurs whenever an Account Transfer is updated.
Occurs whenever an Account is updated.
Occurs whenever an ACH Prenotification is created.
Occurs whenever an ACH Prenotification is updated.
Occurs whenever an ACH Transfer is created.
Occurs whenever an ACH Transfer is updated.
Occurs whenever a Bookkeeping Account is created.
Occurs whenever a Bookkeeping Account is updated.
Occurs whenever a Bookkeeping Entry Set is created.
Occurs whenever a Card is created.
Occurs whenever a Card Dispute is created.
Occurs whenever a Card Dispute is updated.
Occurs whenever a Card Payment is created.
Occurs whenever a Card Payment is updated.
Occurs whenever a Card Profile is created.
Occurs whenever a Card Profile is updated.
Occurs whenever a Card is updated.
Occurs whenever a Check Deposit is created.
Occurs whenever a Check Deposit is updated.
Occurs whenever a Check Transfer is created.
Occurs whenever a Check Transfer is updated.
Occurs whenever a Declined Transaction is created.
Occurs whenever a Digital Card Profile is created.
Occurs whenever a Digital Card Profile is updated.
Occurs whenever a Digital Wallet Token is created.
Occurs whenever a Digital Wallet Token is updated.
Occurs whenever a Document is created.
Occurs whenever an Entity is created.
Occurs whenever an Entity is updated.
Occurs whenever an Event Subscription is created.
Occurs whenever an Event Subscription is updated.
Occurs whenever an Export is created.
Occurs whenever an Export is updated.
Occurs whenever an External Account is created.
Occurs whenever an External Account is updated.
Occurs whenever a File is created.
Increase may send webhooks with this category to see if a webhook endpoint is working properly.
Occurs whenever a Group is updated.
Occurs whenever an Inbound ACH Transfer is created.
Occurs whenever an Inbound ACH Transfer Return is created.
Occurs whenever an Inbound ACH Transfer Return is updated.
Occurs whenever an Inbound ACH Transfer is updated.
Occurs whenever an Inbound Check Deposit is created.
Occurs whenever an Inbound Check Deposit is updated.
Occurs whenever an Inbound Mail Item is created.
Occurs whenever an Inbound Mail Item is updated.
Occurs whenever an Inbound Real-Time Payments Transfer is created.
Occurs whenever an Inbound Real-Time Payments Transfer is updated.
Occurs whenever an Inbound Wire Drawdown Request is created.
Occurs whenever an Inbound Wire Transfer is created.
Occurs whenever an Inbound Wire Transfer is updated.
Occurs whenever an IntraFi Account Enrollment is created.
Occurs whenever an IntraFi Account Enrollment is updated.
Occurs whenever an IntraFi Exclusion is created.
Occurs whenever an IntraFi Exclusion is updated.
Occurs whenever a Lockbox is created.
Occurs whenever a Lockbox is updated.
Occurs whenever an OAuth Connection is created.
Occurs whenever an OAuth Connection is deactivated.
Occurs whenever a Pending Transaction is created.
Occurs whenever a Pending Transaction is updated.
Occurs whenever a Physical Card is created.
Occurs whenever a Physical Card Profile is created.
Occurs whenever a Physical Card Profile is updated.
Occurs whenever a Physical Card is updated.
Occurs whenever a Proof of Authorization Request is created.
Occurs whenever a Proof of Authorization Request Submission is created.
Occurs whenever a Proof of Authorization Request Submission is updated.
Occurs whenever a Proof of Authorization Request is updated.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication challenges.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication.
Occurs whenever a Real-Time Decision is created in response to a card authorization.
Occurs whenever a Real-Time Decision is created in response to a digital wallet requiring two-factor authentication.
Occurs whenever a Real-Time Decision is created in response to a digital wallet provisioning attempt.
Occurs whenever a Real-Time Payments Request for Payment is created.
Occurs whenever a Real-Time Payments Request for Payment is updated.
Occurs whenever a Real-Time Payments Transfer is created.
Occurs whenever a Real-Time Payments Transfer is updated.
Occurs whenever a Transaction is created.
Occurs whenever a Wire Drawdown Request is created.
Occurs whenever a Wire Drawdown Request is updated.
Occurs whenever a Wire Transfer is created.
Occurs whenever a Wire Transfer is updated.
Occurs whenever an Account is created.
Occurs whenever an Account Number is created.
Occurs whenever an Account Number is updated.
Occurs whenever an Account Statement is created.
Occurs whenever an Account Transfer is created.
Occurs whenever an Account Transfer is updated.
Occurs whenever an Account is updated.
Occurs whenever an ACH Prenotification is created.
Occurs whenever an ACH Prenotification is updated.
Occurs whenever an ACH Transfer is created.
Occurs whenever an ACH Transfer is updated.
Occurs whenever a Bookkeeping Account is created.
Occurs whenever a Bookkeeping Account is updated.
Occurs whenever a Bookkeeping Entry Set is created.
Occurs whenever a Card is created.
Occurs whenever a Card Dispute is created.
Occurs whenever a Card Dispute is updated.
Occurs whenever a Card Payment is created.
Occurs whenever a Card Payment is updated.
Occurs whenever a Card Profile is created.
Occurs whenever a Card Profile is updated.
Occurs whenever a Card is updated.
Occurs whenever a Check Deposit is created.
Occurs whenever a Check Deposit is updated.
Occurs whenever a Check Transfer is created.
Occurs whenever a Check Transfer is updated.
Occurs whenever a Declined Transaction is created.
Occurs whenever a Digital Card Profile is created.
Occurs whenever a Digital Card Profile is updated.
Occurs whenever a Digital Wallet Token is created.
Occurs whenever a Digital Wallet Token is updated.
Occurs whenever a Document is created.
Occurs whenever an Entity is created.
Occurs whenever an Entity is updated.
Occurs whenever an Event Subscription is created.
Occurs whenever an Event Subscription is updated.
Occurs whenever an Export is created.
Occurs whenever an Export is updated.
Occurs whenever an External Account is created.
Occurs whenever an External Account is updated.
Occurs whenever a File is created.
Increase may send webhooks with this category to see if a webhook endpoint is working properly.
Occurs whenever a Group is updated.
Occurs whenever an Inbound ACH Transfer is created.
Occurs whenever an Inbound ACH Transfer Return is created.
Occurs whenever an Inbound ACH Transfer Return is updated.
Occurs whenever an Inbound ACH Transfer is updated.
Occurs whenever an Inbound Check Deposit is created.
Occurs whenever an Inbound Check Deposit is updated.
Occurs whenever an Inbound Mail Item is created.
Occurs whenever an Inbound Mail Item is updated.
Occurs whenever an Inbound Real-Time Payments Transfer is created.
Occurs whenever an Inbound Real-Time Payments Transfer is updated.
Occurs whenever an Inbound Wire Drawdown Request is created.
Occurs whenever an Inbound Wire Transfer is created.
Occurs whenever an Inbound Wire Transfer is updated.
Occurs whenever an IntraFi Account Enrollment is created.
Occurs whenever an IntraFi Account Enrollment is updated.
Occurs whenever an IntraFi Exclusion is created.
Occurs whenever an IntraFi Exclusion is updated.
Occurs whenever a Lockbox is created.
Occurs whenever a Lockbox is updated.
Occurs whenever an OAuth Connection is created.
Occurs whenever an OAuth Connection is deactivated.
Occurs whenever a Pending Transaction is created.
Occurs whenever a Pending Transaction is updated.
Occurs whenever a Physical Card is created.
Occurs whenever a Physical Card Profile is created.
Occurs whenever a Physical Card Profile is updated.
Occurs whenever a Physical Card is updated.
Occurs whenever a Proof of Authorization Request is created.
Occurs whenever a Proof of Authorization Request Submission is created.
Occurs whenever a Proof of Authorization Request Submission is updated.
Occurs whenever a Proof of Authorization Request is updated.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication challenges.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication.
Occurs whenever a Real-Time Decision is created in response to a card authorization.
Occurs whenever a Real-Time Decision is created in response to a digital wallet requiring two-factor authentication.
Occurs whenever a Real-Time Decision is created in response to a digital wallet provisioning attempt.
Occurs whenever a Real-Time Payments Request for Payment is created.
Occurs whenever a Real-Time Payments Request for Payment is updated.
Occurs whenever a Real-Time Payments Transfer is created.
Occurs whenever a Real-Time Payments Transfer is updated.
Occurs whenever a Transaction is created.
Occurs whenever a Wire Drawdown Request is created.
Occurs whenever a Wire Drawdown Request is updated.
Occurs whenever a Wire Transfer is created.
Occurs whenever a Wire Transfer is updated.
Occurs whenever an Account is created.
Occurs whenever an Account Number is created.
Occurs whenever an Account Number is updated.
Occurs whenever an Account Statement is created.
Occurs whenever an Account Transfer is created.
Occurs whenever an Account Transfer is updated.
Occurs whenever an Account is updated.
Occurs whenever an ACH Prenotification is created.
Occurs whenever an ACH Prenotification is updated.
Occurs whenever an ACH Transfer is created.
Occurs whenever an ACH Transfer is updated.
Occurs whenever a Bookkeeping Account is created.
Occurs whenever a Bookkeeping Account is updated.
Occurs whenever a Bookkeeping Entry Set is created.
Occurs whenever a Card is created.
Occurs whenever a Card Dispute is created.
Occurs whenever a Card Dispute is updated.
Occurs whenever a Card Payment is created.
Occurs whenever a Card Payment is updated.
Occurs whenever a Card Profile is created.
Occurs whenever a Card Profile is updated.
Occurs whenever a Card is updated.
Occurs whenever a Check Deposit is created.
Occurs whenever a Check Deposit is updated.
Occurs whenever a Check Transfer is created.
Occurs whenever a Check Transfer is updated.
Occurs whenever a Declined Transaction is created.
Occurs whenever a Digital Card Profile is created.
Occurs whenever a Digital Card Profile is updated.
Occurs whenever a Digital Wallet Token is created.
Occurs whenever a Digital Wallet Token is updated.
Occurs whenever a Document is created.
Occurs whenever an Entity is created.
Occurs whenever an Entity is updated.
Occurs whenever an Event Subscription is created.
Occurs whenever an Event Subscription is updated.
Occurs whenever an Export is created.
Occurs whenever an Export is updated.
Occurs whenever an External Account is created.
Occurs whenever an External Account is updated.
Occurs whenever a File is created.
Increase may send webhooks with this category to see if a webhook endpoint is working properly.
Occurs whenever a Group is updated.
Occurs whenever an Inbound ACH Transfer is created.
Occurs whenever an Inbound ACH Transfer Return is created.
Occurs whenever an Inbound ACH Transfer Return is updated.
Occurs whenever an Inbound ACH Transfer is updated.
Occurs whenever an Inbound Check Deposit is created.
Occurs whenever an Inbound Check Deposit is updated.
Occurs whenever an Inbound Mail Item is created.
Occurs whenever an Inbound Mail Item is updated.
Occurs whenever an Inbound Real-Time Payments Transfer is created.
Occurs whenever an Inbound Real-Time Payments Transfer is updated.
Occurs whenever an Inbound Wire Drawdown Request is created.
Occurs whenever an Inbound Wire Transfer is created.
Occurs whenever an Inbound Wire Transfer is updated.
Occurs whenever an IntraFi Account Enrollment is created.
Occurs whenever an IntraFi Account Enrollment is updated.
Occurs whenever an IntraFi Exclusion is created.
Occurs whenever an IntraFi Exclusion is updated.
Occurs whenever a Lockbox is created.
Occurs whenever a Lockbox is updated.
Occurs whenever an OAuth Connection is created.
Occurs whenever an OAuth Connection is deactivated.
Occurs whenever a Pending Transaction is created.
Occurs whenever a Pending Transaction is updated.
Occurs whenever a Physical Card is created.
Occurs whenever a Physical Card Profile is created.
Occurs whenever a Physical Card Profile is updated.
Occurs whenever a Physical Card is updated.
Occurs whenever a Proof of Authorization Request is created.
Occurs whenever a Proof of Authorization Request Submission is created.
Occurs whenever a Proof of Authorization Request Submission is updated.
Occurs whenever a Proof of Authorization Request is updated.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication challenges.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication.
Occurs whenever a Real-Time Decision is created in response to a card authorization.
Occurs whenever a Real-Time Decision is created in response to a digital wallet requiring two-factor authentication.
Occurs whenever a Real-Time Decision is created in response to a digital wallet provisioning attempt.
Occurs whenever a Real-Time Payments Request for Payment is created.
Occurs whenever a Real-Time Payments Request for Payment is updated.
Occurs whenever a Real-Time Payments Transfer is created.
Occurs whenever a Real-Time Payments Transfer is updated.
Occurs whenever a Transaction is created.
Occurs whenever a Wire Drawdown Request is created.
Occurs whenever a Wire Drawdown Request is updated.
Occurs whenever a Wire Transfer is created.
Occurs whenever a Wire Transfer is updated.
Occurs whenever an Account is created.
Occurs whenever an Account Number is created.
Occurs whenever an Account Number is updated.
Occurs whenever an Account Statement is created.
Occurs whenever an Account Transfer is created.
Occurs whenever an Account Transfer is updated.
Occurs whenever an Account is updated.
Occurs whenever an ACH Prenotification is created.
Occurs whenever an ACH Prenotification is updated.
Occurs whenever an ACH Transfer is created.
Occurs whenever an ACH Transfer is updated.
Occurs whenever a Bookkeeping Account is created.
Occurs whenever a Bookkeeping Account is updated.
Occurs whenever a Bookkeeping Entry Set is created.
Occurs whenever a Card is created.
Occurs whenever a Card Dispute is created.
Occurs whenever a Card Dispute is updated.
Occurs whenever a Card Payment is created.
Occurs whenever a Card Payment is updated.
Occurs whenever a Card Profile is created.
Occurs whenever a Card Profile is updated.
Occurs whenever a Card is updated.
Occurs whenever a Check Deposit is created.
Occurs whenever a Check Deposit is updated.
Occurs whenever a Check Transfer is created.
Occurs whenever a Check Transfer is updated.
Occurs whenever a Declined Transaction is created.
Occurs whenever a Digital Card Profile is created.
Occurs whenever a Digital Card Profile is updated.
Occurs whenever a Digital Wallet Token is created.
Occurs whenever a Digital Wallet Token is updated.
Occurs whenever a Document is created.
Occurs whenever an Entity is created.
Occurs whenever an Entity is updated.
Occurs whenever an Event Subscription is created.
Occurs whenever an Event Subscription is updated.
Occurs whenever an Export is created.
Occurs whenever an Export is updated.
Occurs whenever an External Account is created.
Occurs whenever an External Account is updated.
Occurs whenever a File is created.
Increase may send webhooks with this category to see if a webhook endpoint is working properly.
Occurs whenever a Group is updated.
Occurs whenever an Inbound ACH Transfer is created.
Occurs whenever an Inbound ACH Transfer Return is created.
Occurs whenever an Inbound ACH Transfer Return is updated.
Occurs whenever an Inbound ACH Transfer is updated.
Occurs whenever an Inbound Check Deposit is created.
Occurs whenever an Inbound Check Deposit is updated.
Occurs whenever an Inbound Mail Item is created.
Occurs whenever an Inbound Mail Item is updated.
Occurs whenever an Inbound Real-Time Payments Transfer is created.
Occurs whenever an Inbound Real-Time Payments Transfer is updated.
Occurs whenever an Inbound Wire Drawdown Request is created.
Occurs whenever an Inbound Wire Transfer is created.
Occurs whenever an Inbound Wire Transfer is updated.
Occurs whenever an IntraFi Account Enrollment is created.
Occurs whenever an IntraFi Account Enrollment is updated.
Occurs whenever an IntraFi Exclusion is created.
Occurs whenever an IntraFi Exclusion is updated.
Occurs whenever a Lockbox is created.
Occurs whenever a Lockbox is updated.
Occurs whenever an OAuth Connection is created.
Occurs whenever an OAuth Connection is deactivated.
Occurs whenever a Pending Transaction is created.
Occurs whenever a Pending Transaction is updated.
Occurs whenever a Physical Card is created.
Occurs whenever a Physical Card Profile is created.
Occurs whenever a Physical Card Profile is updated.
Occurs whenever a Physical Card is updated.
Occurs whenever a Proof of Authorization Request is created.
Occurs whenever a Proof of Authorization Request Submission is created.
Occurs whenever a Proof of Authorization Request Submission is updated.
Occurs whenever a Proof of Authorization Request is updated.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication challenges.
Occurs whenever a Real-Time Decision is created in response to 3DS authentication.
Occurs whenever a Real-Time Decision is created in response to a card authorization.
Occurs whenever a Real-Time Decision is created in response to a digital wallet requiring two-factor authentication.
Occurs whenever a Real-Time Decision is created in response to a digital wallet provisioning attempt.
Occurs whenever a Real-Time Payments Request for Payment is created.
Occurs whenever a Real-Time Payments Request for Payment is updated.
Occurs whenever a Real-Time Payments Transfer is created.
Occurs whenever a Real-Time Payments Transfer is updated.
Occurs whenever a Transaction is created.
Occurs whenever a Wire Drawdown Request is created.
Occurs whenever a Wire Drawdown Request is updated.
Occurs whenever a Wire Transfer is created.
Occurs whenever a Wire Transfer is updated.
The subscription is active and Events will be delivered normally.
The subscription is permanently disabled and Events will not be delivered.
The subscription is temporarily disabled and Events will not be delivered.
The subscription is temporarily disabled due to delivery errors and Events will not be delivered.
No description provided by the author
The subscription is active and Events will be delivered normally.
The subscription is permanently disabled and Events will not be delivered.
The subscription is temporarily disabled and Events will not be delivered.
No description provided by the author
Export an Open Financial Exchange (OFX) file of transactions and balances for a given time range and Account.
Export a CSV of account balances for the dates in a given range.
Export a CSV of bookkeeping account balances for the dates in a given range.
Export a CSV of entities with a given status.
Export a CSV of all transactions for a given time range.
Export a CSV of vendors added to the third-party risk management dashboard.
Export an Open Financial Exchange (OFX) file of transactions and balances for a given time range and Account.
Export a CSV of account balances for the dates in a given range.
Export a CSV of bookkeeping account balances for the dates in a given range.
Export a CSV of entities with a given status.
Export a CSV of all transactions for a given time range.
Export a CSV of vendors added to the third-party risk management dashboard.
The export has been successfully generated.
The export failed to generate.
Increase is generating the export.
Export an Open Financial Exchange (OFX) file of transactions and balances for a given time range and Account.
Export a CSV of account balances for the dates in a given range.
Export a CSV of bookkeeping account balances for the dates in a given range.
Export a CSV of entities with a given status.
Export a CSV of all transactions for a given time range.
Export a CSV of vendors added to the third-party risk management dashboard.
The entity is active.
The entity is archived, and can no longer be used to create accounts.
The entity is temporarily disabled and cannot be used for financial activity.
The export has been successfully generated.
The export failed to generate.
Increase is generating the export.
No description provided by the author
The External Account is owned by a business.
The External Account is owned by an individual.
It's unknown what kind of entity owns the External Account.
A checking account.
A different type of account.
A savings account.
The External Account is active.
The External Account is archived and won't appear in the dashboard.
The External Account is owned by a business.
The External Account is owned by an individual.
It's unknown what kind of entity owns the External Account.
A checking account.
A different type of account.
A savings account.
The External Account is active.
The External Account is archived and won't appear in the dashboard.
No description provided by the author
The External Account is owned by a business.
The External Account is owned by an individual.
A checking account.
A different type of account.
A savings account.
The External Account is active.
The External Account is archived and won't appear in the dashboard.
The External Account is in the process of being verified.
The External Account has not been verified.
The External Account is verified.
This File was generated by Increase.
This File was sent by you to Increase.
An image of the back of a check, used for check deposits.
An image of the front of a check, used for check deposits.
A document granting another entity access to the funds into your account.
An icon for you app to be rendered inside digital wallet apps.
A card image to be rendered inside digital wallet apps.
A document requested by Increase.
A supplemental document associated an an Entity.
The results of an Export you requested via the dashboard or API.
IRS Form 1099-INT.
IRS Form SS-4.
An image of a government-issued ID.
A scanned mail item sent to Increase.
A statement generated by Increase.
An image of a check that was mailed to a recipient.
A file purpose not covered by any of the other cases.
The image to be printed on the back of a physical card.
An image representing the entirety of the carrier used for a physical card.
A card image to be printed on the front of a physical card.
An image of the back of a deposited check after processing by Increase and submission to the Federal Reserve.
An image of the front of a deposited check after processing by Increase and submission to the Federal Reserve.
A legal document forming a trust.
An attachment to an Unusual Activity Report.
An image of the back of a check, used for check deposits.
An image of the front of a check, used for check deposits.
An icon for you app to be rendered inside digital wallet apps.
A card image to be rendered inside digital wallet apps.
A document requested by Increase.
A supplemental document associated an an Entity.
IRS Form SS-4.
An image of a government-issued ID.
An image of a check that was mailed to a recipient.
A file purpose not covered by any of the other cases.
An image representing the entirety of the carrier used for a physical card.
A card image to be printed on the front of a physical card.
A legal document forming a trust.
An attachment to an Unusual Activity Report.
An image of the back of a check, used for check deposits.
An image of the front of a check, used for check deposits.
A document granting another entity access to the funds into your account.
An icon for you app to be rendered inside digital wallet apps.
A card image to be rendered inside digital wallet apps.
A document requested by Increase.
A supplemental document associated an an Entity.
The results of an Export you requested via the dashboard or API.
IRS Form 1099-INT.
IRS Form SS-4.
An image of a government-issued ID.
A scanned mail item sent to Increase.
A statement generated by Increase.
An image of a check that was mailed to a recipient.
A file purpose not covered by any of the other cases.
The image to be printed on the back of a physical card.
An image representing the entirety of the carrier used for a physical card.
A card image to be printed on the front of a physical card.
An image of the back of a deposited check after processing by Increase and submission to the Federal Reserve.
An image of the front of a deposited check after processing by Increase and submission to the Federal Reserve.
A legal document forming a trust.
An attachment to an Unusual Activity Report.
No description provided by the author
The Group cannot make ACH debits.
The Group can make ACH debits.
The Group is activated.
The Group is not activated.
No description provided by the author
Unstructured addendum.
The customer no longer authorizes this transaction.
The account holder is deceased.
The corporate customer no longer authorizes this transaction.
The customer refused a credit entry.
The customer advises that the debit was unauthorized.
The account holder identified this transaction as a duplicate.
The customer's account has insufficient funds.
The customer asked for the payment to be stopped.
The payee is deceased.
The originating financial institution asked for this transfer to be returned.
The account number is canceled.
The account number is disabled.
The customer no longer authorizes this transaction.
The account holder is deceased.
The transaction would cause an Increase limit to be exceeded.
The corporate customer no longer authorizes this transaction.
The customer refused a credit entry.
The customer advises that the debit was unauthorized.
The account holder identified this transaction as a duplicate.
The account's entity is not active.
Your account is inactive.
Your account contains insufficient funds.
The customer asked for the payment to be stopped.
The payee is deceased.
The originating financial institution asked for this transfer to be returned.
The transaction is not allowed per Increase's terms.
Your integration declined this transfer via the API.
Credit.
Debit.
The transfer is expected to settle on a future date.
The transfer is expected to settle same-day.
The amount was originated and settled as a fixed amount in USD.
The originator chose an amount in their own currency.
The originator chose an amount to settle in USD.
There is no foreign exchange for this transfer, so the `foreign_exchange_reference` field is blank.
The ACH file contains a foreign exchange rate.
The ACH file contains a reference to a well-known foreign exchange rate.
Sent as `ARC` in the Nacha file.
Sent as `ANN` in the Nacha file.
Sent as `BOC` in the Nacha file.
Sent as `BUS` in the Nacha file.
Sent as `DEP` in the Nacha file.
Sent as `WEB` in the Nacha file.
Sent as `LOA` in the Nacha file.
Sent as `MTE` in the Nacha file.
Sent as `MIS` in the Nacha file.
Sent as `MOR` in the Nacha file.
Sent as `PEN` in the Nacha file.
Sent as `POP` in the Nacha file.
Sent as `POS` in the Nacha file.
Sent as `REM` in the Nacha file.
Sent as `RLS` in the Nacha file.
Sent as `RCK` in the Nacha file.
Sent as `SAL` in the Nacha file.
Sent as `SHR` in the Nacha file.
Sent as `TAX` in the Nacha file.
Sent as `TEL` in the Nacha file.
The SWIFT Bank Identifier Code (BIC) of the bank.
An International Bank Account Number.
A domestic clearing system number.
The SWIFT Bank Identifier Code (BIC) of the bank.
An International Bank Account Number.
A domestic clearing system number.
The Inbound ACH Transfer is accepted.
The Inbound ACH Transfer has been declined.
The Inbound ACH Transfer is awaiting action, will transition automatically if no action is taken.
The Inbound ACH Transfer has been returned.
Accounts Receivable (ARC).
Back Office Conversion (BOC).
Check Truncation (TRC).
Corporate Credit and Debit (CCD).
Corporate Trade Exchange (CTX).
Customer Initiated (CIE).
Destroyed Check (XCK).
International ACH Transaction (IAT).
Internet Initiated (WEB).
Machine Transfer (MTE).
Point of Purchase (POP).
Point of Sale (POS).
Prearranged Payments and Deposits (PPD).
Represented Check (RCK).
Shared Network Transaction (SHR).
Telephone Initiated (TEL).
The Inbound ACH Transfer is accepted.
The Inbound ACH Transfer has been declined.
The Inbound ACH Transfer is awaiting action, will transition automatically if no action is taken.
The Inbound ACH Transfer has been returned.
The customer no longer authorizes this transaction.
The account holder is deceased.
The corporate customer no longer authorizes this transaction.
The customer refused a credit entry.
The customer advises that the debit was unauthorized.
The account holder identified this transaction as a duplicate.
The customer's account has insufficient funds.
The customer asked for the payment to be stopped.
The payee is deceased.
The originating financial institution asked for this transfer to be returned.
The customer no longer authorizes this transaction.
The account holder is deceased.
The corporate customer no longer authorizes this transaction.
The customer refused a credit entry.
The customer advises that the debit was unauthorized.
The account holder identified this transaction as a duplicate.
The customer's account has insufficient funds.
The customer asked for the payment to be stopped.
The payee is deceased.
The originating financial institution asked for this transfer to be returned.
No description provided by the author
The return was initiated too late and the receiving institution has responded with a Late Return Claim.
The check was deposited to the wrong payee and the depositing institution has reimbursed the funds with a Wrong Payee Credit.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The check was altered or fictitious.
The check was a duplicate presentment.
The check was not endorsed by the payee.
The check was not endorsed.
The check was not authorized.
The check was altered or fictitious.
The check was a duplicate presentment.
The check was not endorsed by the payee.
The check was not endorsed.
The check was not authorized.
The Inbound Check Deposit was accepted.
The Inbound Check Deposit was rejected.
The Inbound Check Deposit is pending.
The Inbound Check Deposit requires attention from an Increase operator.
The Inbound Check Deposit was returned.
No description provided by the author
The Lockbox or its associataed Account is not active.
The mail item does not contain a check.
The mail item does not match any lockbox.
The mail item is pending processing.
The mail item has been processed.
The mail item has been rejected.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The account number is canceled.
The account number is disabled.
Your account is restricted.
The account's entity is not active.
Your account is inactive.
Your account is not enabled to receive Real-Time Payments transfers.
The transfer has been received successfully and is confirmed.
The transfer has been declined.
The transfer is pending confirmation.
The transfer was not responded to in time.
No description provided by the author
No description provided by the author
The Inbound Wire Transfer is accepted.
The Inbound Wire Transfer was declined.
The Inbound Wire Transfer is awaiting action, will transition automatically if no action is taken.
The Inbound Wire Transfer was reversed.
The Inbound Wire Transfer is accepted.
The Inbound Wire Transfer was declined.
The Inbound Wire Transfer is awaiting action, will transition automatically if no action is taken.
The Inbound Wire Transfer was reversed.
No description provided by the author
The account has been enrolled with IntraFi.
The account is being added to the IntraFi network.
The account is being unenrolled from IntraFi's deposit sweep.
Something unexpected happened with this account.
The account was once enrolled, but is no longer enrolled at IntraFi.
The account has been enrolled with IntraFi.
The account is being added to the IntraFi network.
The account is being unenrolled from IntraFi's deposit sweep.
Something unexpected happened with this account.
The account was once enrolled, but is no longer enrolled at IntraFi.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
No description provided by the author
The exclusion has been removed from the IntraFi network.
The exclusion has been added to the IntraFi network.
The exclusion is being added to the IntraFi network.
No description provided by the author
This Lockbox is active.
This Lockbox is inactive.
No description provided by the author
This Lockbox is active.
This Lockbox is inactive.
The OAuth connection is active.
The OAuth connection is permanently deactivated.
The OAuth connection is active.
The OAuth connection is permanently deactivated.
No description provided by the author
An OAuth authorization code.
An OAuth production token.
No description provided by the author
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Account Transfer Instruction: details will be under the `account_transfer_instruction` object.
ACH Transfer Instruction: details will be under the `ach_transfer_instruction` object.
Card Authorization: details will be under the `card_authorization` object.
Check Deposit Instruction: details will be under the `check_deposit_instruction` object.
Check Transfer Instruction: details will be under the `check_transfer_instruction` object.
Inbound Funds Hold: details will be under the `inbound_funds_hold` object.
Inbound Wire Transfer Reversal: details will be under the `inbound_wire_transfer_reversal` object.
The Pending Transaction was made for an undocumented or deprecated reason.
Real-Time Payments Transfer Instruction: details will be under the `real_time_payments_transfer_instruction` object.
Wire Transfer Instruction: details will be under the `wire_transfer_instruction` object.
The Pending Transaction is confirmed.
The Pending Transaction is still awaiting confirmation.
An Account Number.
A Card.
A Lockbox.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
This object was actioned by Increase without user intervention.
This object was actioned by the network, through stand-in processing.
This object was actioned by the user through a real-time decision.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
A regular card authorization where funds are debited from the cardholder.
Visa.
Installment payment: Payment indicator used to indicate one purchase of goods or services that is billed to the account in multiple charges over a period of time agreed upon by the cardholder and merchant from transactions that originate from an acquirer in the US region.
Single transaction of a mail/phone order: Use to indicate that the transaction is a mail/phone order purchase, not a recurring transaction or installment payment.
Non-authenticated security transaction: Use to identify an electronic commerce transaction that uses data encryption for security however , cardholder authentication is not performed using 3-D Secure.
Non-authenticated security transaction at a 3-D Secure-capable merchant, and merchant attempted to authenticate the cardholder using 3-D Secure: Use to identify an electronic commerce transaction where the merchant attempted to authenticate the cardholder using 3-D Secure, but was unable to complete the authentication because the issuer or cardholder does not participate in the 3-D Secure program.
Non-secure transaction: Use to identify an electronic commerce transaction that has no data protection.
Recurring transaction: Payment indicator used to indicate a recurring transaction that originates from an acquirer in the US region.
Secure electronic commerce transaction: Use to indicate that the electronic commerce transaction has been authenticated using e.g., 3-D Secure.
Unknown classification: other mail order: Use to indicate that the type of mail/telephone order is unknown.
Contactless read of chip card.
Contactless read of magnetic stripe data.
Transaction initiated using a credential that has previously been stored on file.
Contact chip card.
Contact chip card, without card verification value.
Magnetic stripe read.
Magnetic stripe read, without card verification value.
Manual key entry.
Optical code.
Unknown.
Account funding transactions are transactions used to e.g., fund an account or transfer funds between accounts.
Automatic fuel dispenser authorizations occur when a card is used at a gas pump, prior to the actual transaction amount being known.
A transaction used to pay a bill.
A regular purchase.
Quasi-cash transactions represent purchases of items which may be convertible to cash.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
No description provided by the author
Postal code and street address match.
Postal code and street address do not match.
No adress was provided in the authorization request.
Postal code matches, but the street address does not match.
Postal code matches, but the street address was not verified.
Postal code does not match, but the street address matches.
The card verification code matched the one on file.
The card verification code did not match the one on file.
No card verification code was provided in the authorization request.
Account Transfer Instruction: details will be under the `account_transfer_instruction` object.
ACH Transfer Instruction: details will be under the `ach_transfer_instruction` object.
Card Authorization: details will be under the `card_authorization` object.
Check Deposit Instruction: details will be under the `check_deposit_instruction` object.
Check Transfer Instruction: details will be under the `check_transfer_instruction` object.
Inbound Funds Hold: details will be under the `inbound_funds_hold` object.
Inbound Wire Transfer Reversal: details will be under the `inbound_wire_transfer_reversal` object.
The Pending Transaction was made for an undocumented or deprecated reason.
Real-Time Payments Transfer Instruction: details will be under the `real_time_payments_transfer_instruction` object.
Wire Transfer Instruction: details will be under the `wire_transfer_instruction` object.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Funds have been released.
Funds are still being held.
No description provided by the author
The Pending Transaction is confirmed.
The Pending Transaction is still awaiting confirmation.
No description provided by the author
FedEx 2-day.
FedEx Priority Overnight, no signature.
USPS Post with tracking.
This Physical Card Profile was created by Increase.
This Physical Card Profile was created by you.
The Physical Card Profile has been submitted to the fulfillment provider and is ready to use.
The Physical Card Profile has been archived.
The Card Profile has not yet been processed by Increase.
The card profile is awaiting review by Increase.
The card profile is awaiting submission to the fulfillment provider.
There is an issue with the Physical Card Profile preventing it from use.
The Physical Card Profile has been submitted to the fulfillment provider and is ready to use.
The Physical Card Profile has been archived.
The Card Profile has not yet been processed by Increase.
The card profile is awaiting review by Increase.
The card profile is awaiting submission to the fulfillment provider.
There is an issue with the Physical Card Profile preventing it from use.
No description provided by the author
FedEx 2-day.
FedEx Priority Overnight, no signature.
USPS Post with tracking.
The physical card shipment has been acknowledged by the card fulfillment provider and will be processed in their next batch.
The physical card shipment was canceled prior to submission.
The physical card has not yet been shipped.
The physical card shipment was rejected by the card printer due to an error.
The physical card shipment was returned to the sender and destroyed by the production facility.
The physical card has been shipped.
The physical card shipment has been submitted to the card fulfillment provider.
The physical card is active.
The physical card is permanently canceled.
The physical card is temporarily disabled.
No description provided by the author
The physical card is active.
The physical card is permanently canceled.
The physical card is temporarily disabled.
Blue Ridge Bank, N.A.
First Internet Bank of Indiana.
Grasshopper Bank.
No description provided by the author
The proof of authorization request submission was canceled and replaced with another.
The proof of authorization request submission is pending review.
The proof of authorization request submission is pending sending.
The proof of authorization request submission was rejected.
The proof of authorization request submission was sent.
No description provided by the author
No description provided by the author
Your application was unable to deliver the one-time code to the cardholder.
Your application successfully delivered the one-time code to the cardholder.
Approve the authentication attempt without triggering a challenge.
Request further validation before approving the authentication attempt.
Deny the authentication attempt.
Approve the authorization.
Decline the authorization.
Your application failed to deliver the one-time passcode to the cardholder.
Your application successfully delivered the one-time passcode to the cardholder.
Your application was unable to deliver the one-time code to the cardholder.
Your application successfully delivered the one-time code to the cardholder.
Approve the authentication attempt without triggering a challenge.
Request further validation before approving the authentication attempt.
Deny the authentication attempt.
Approve the authorization.
Decline the authorization.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
A regular card authorization where funds are debited from the cardholder.
Visa.
Installment payment: Payment indicator used to indicate one purchase of goods or services that is billed to the account in multiple charges over a period of time agreed upon by the cardholder and merchant from transactions that originate from an acquirer in the US region.
Single transaction of a mail/phone order: Use to indicate that the transaction is a mail/phone order purchase, not a recurring transaction or installment payment.
Non-authenticated security transaction: Use to identify an electronic commerce transaction that uses data encryption for security however , cardholder authentication is not performed using 3-D Secure.
Non-authenticated security transaction at a 3-D Secure-capable merchant, and merchant attempted to authenticate the cardholder using 3-D Secure: Use to identify an electronic commerce transaction where the merchant attempted to authenticate the cardholder using 3-D Secure, but was unable to complete the authentication because the issuer or cardholder does not participate in the 3-D Secure program.
Non-secure transaction: Use to identify an electronic commerce transaction that has no data protection.
Recurring transaction: Payment indicator used to indicate a recurring transaction that originates from an acquirer in the US region.
Secure electronic commerce transaction: Use to indicate that the electronic commerce transaction has been authenticated using e.g., 3-D Secure.
Unknown classification: other mail order: Use to indicate that the type of mail/telephone order is unknown.
Contactless read of chip card.
Contactless read of magnetic stripe data.
Transaction initiated using a credential that has previously been stored on file.
Contact chip card.
Contact chip card, without card verification value.
Magnetic stripe read.
Magnetic stripe read, without card verification value.
Manual key entry.
Optical code.
Unknown.
Account funding transactions are transactions used to e.g., fund an account or transfer funds between accounts.
Automatic fuel dispenser authorizations occur when a card is used at a gas pump, prior to the actual transaction amount being known.
A transaction used to pay a bill.
A regular purchase.
Quasi-cash transactions represent purchases of items which may be convertible to cash.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
An incremental request to increase the amount of an existing authorization.
A regular, standalone authorization.
Postal code and street address match.
Postal code and street address do not match.
No adress was provided in the authorization request.
Postal code matches, but the street address does not match.
Postal code matches, but the street address was not verified.
Postal code does not match, but the street address matches.
The card verification code matched the one on file.
The card verification code did not match the one on file.
No card verification code was provided in the authorization request.
3DS authentication challenge requires cardholder involvement.
3DS authentication is requested.
A card is being authorized.
A card is being loaded into a digital wallet and requires cardholder authentication.
A card is being loaded into a digital wallet.
Send one-time passcodes over email.
Send one-time passcodes over SMS.
Apple Pay.
Google Pay.
Samsung Pay.
Unknown.
Your application failed to deliver the one-time passcode to the cardholder.
Your application successfully delivered the one-time passcode to the cardholder.
Approve the provisioning request.
Decline the provisioning request.
Apple Pay.
Google Pay.
Samsung Pay.
Unknown.
The decision is pending action via real-time webhook.
Your webhook actioned the real-time decision.
Your webhook failed to respond to the authorization in time.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The destination account is currently blocked from receiving transactions.
The amount is higher than the recipient is authorized to send or receive.
Creditor identifier incorrect.
The customer has opted out of receiving requests for payments from this creditor.
The destination account holder is deceased.
The creditor's address is required, but missing or invalid.
The debtor's address is required, but missing or invalid.
The order was rejected.
Some other error or issue has occurred.
The customer refused the request.
Real-Time Payments transfers are not allowed to the destination account.
Real-Time Payments transfers are not enabled for the destination account.
The amount of the transfer is different than expected by the recipient.
The destination account is currently blocked from receiving transactions.
The destination account is closed.
The amount is higher than the recipient is authorized to send or receive.
The destination account holder is deceased.
The destination financial institution is currently signed off of Real-Time Payments.
The destination account does not exist.
The destination account is ineligible to receive Real-Time Payments transfers.
The creditor's address is required, but missing or invalid.
The destination routing number is invalid.
The debtor's address is required, but missing or invalid.
The reason is provided as narrative information in the additional information field.
Some other error or issue has occurred.
The transfer was rejected due to an internal Increase issue.
Real-Time Payments is currently unavailable.
The destination financial institution is currently not connected to Real-Time Payments.
There was a timeout processing the transfer.
Real-Time Payments transfers are not allowed to the destination account.
Real-Time Payments transfers are not enabled for the destination account.
The amount of the transfer is different than expected by the recipient.
The specified creditor is unknown.
Real-Time Payments transfers are not enabled for the destination account.
The request for payment was accepted by the recipient but has not yet been paid.
The request for payment was fulfilled by the receiver.
The request for payment has been submitted and is pending a response from Real-Time Payments.
The request for payment is queued to be submitted to Real-Time Payments.
The request for payment was refused by the recipient.
The request for payment was rejected by the network or the recipient.
No description provided by the author
An API key.
An OAuth application you connected to Increase.
A User in the Increase dashboard.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The destination account is currently blocked from receiving transactions.
The destination account is closed.
The amount is higher than the recipient is authorized to send or receive.
The destination account holder is deceased.
The destination financial institution is currently signed off of Real-Time Payments.
The destination account does not exist.
The destination account is ineligible to receive Real-Time Payments transfers.
The creditor's address is required, but missing or invalid.
The destination routing number is invalid.
The debtor's address is required, but missing or invalid.
The reason is provided as narrative information in the additional information field.
Some other error or issue has occurred.
The transfer was rejected due to an internal Increase issue.
Real-Time Payments is currently unavailable.
The destination financial institution is currently not connected to Real-Time Payments.
There was a timeout processing the transfer.
Real-Time Payments transfers are not allowed to the destination account.
Real-Time Payments transfers are not enabled for the destination account.
The amount of the transfer is different than expected by the recipient.
The specified creditor is unknown.
Real-Time Payments transfers are not enabled for the destination account.
The transfer has been canceled.
The transfer has been sent successfully and is complete.
The transfer is pending approval.
The transfer is pending review by Increase.
The transfer is queued to be submitted to Real-Time Payments.
The transfer was rejected by the network or the recipient's bank.
The transfer requires attention from an Increase operator.
The transfer has been submitted and is pending a response from Real-Time Payments.
No description provided by the author
The routing number cannot receive this transfer type.
The routing number can receive this transfer type.
The routing number cannot receive this transfer type.
The routing number can receive this transfer type.
No description provided by the author
The routing number cannot receive this transfer type.
The routing number can receive this transfer type.
The addenda had an incorrect format.
The depository financial institution account number was not from the original entry detail record.
The account number was incorrect.
The account number and the transaction code were incorrect.
The company identification number was incorrect.
The discretionary data was incorrect.
The individual identification number or identification number was incorrect.
The individual identification number was incorrect.
The corrected data was incorrectly formatted.
The receiving depository financial institution identification was incorrect.
The routing number was incorrect.
The routing number, account number, and transaction code were incorrect.
Both the routing number and the account number were incorrect.
The standard entry class code was incorrect for an outbound international payment.
The trace number was incorrect.
The transaction code was incorrect.
The transaction code was incorrect, initiated by the originating depository financial institution.
The notification of change was misrouted.
The routing number was not from the original entry detail record.
Code R02.
Code R16.
Code R12.
Code R25.
Code R19.
Code R07.
Code R15.
Code R29.
Code R74.
Code R23.
Code R11.
Code R10.
Code R24.
Code R67.
Code R47.
Code R43.
Code R44.
Code R45.
Code R46.
Code R41.
Code R40.
Code R42.
Code R84.
Code R69.
Code R17.
Code R83.
Code R80.
Code R18.
Code R39.
Code R85.
Code R01.
Code R04.
Code R13.
Code R21.
Code R82.
Code R22.
Code R53.
Code R51.
Code R34.
Code R26.
Code R71.
Code R61.
Code R03.
Code R76.
Code R77.
Code R81.
Code R20.
Code R08.
Code R31.
Code R70.
Code R32.
Code R30.
Code R14.
Code R06.
Code R75.
Code R62.
Code R36.
Code R35.
Code R33.
Code R28.
Code R37.
Code R50.
Code R52.
Code R38.
Code R73.
Code R27.
Code R05.
Code R09.
Code R72.
Code R68.
The transaction was blocked by a Limit.
The given expiration date did not match the card's value.
The Card was not active.
The given CVV2 did not match the card's value.
Declined by stand-in processing.
The account's entity was not active.
The account was inactive.
The Card's Account did not have a sufficient available balance.
The card read had an invalid CVV, dCVV, or authorization request cryptogram.
The original card authorization for this incremental authorization does not exist.
The Physical Card was not active.
The transaction was suspected to be fraudulent.
The attempted card transaction is not allowed per Increase's terms.
Your application declined the transaction via webhook.
Your application webhook did not respond without the required timeout.
A refund card authorization, sometimes referred to as a credit voucher authorization, where funds are credited to the cardholder.
A regular card authorization where funds are debited from the cardholder.
No description provided by the author
The Card Dispute has been accepted and your funds have been returned.
The Card Dispute has been lost and funds previously credited from the acceptance have been debited.
The Card Dispute has been rejected.
The Card Dispute has been won and no further action can be taken.
The card is not active.
The card does not have a two-factor authentication method.
Your webhook declined the token provisioning attempt.
Your webhook timed out when evaluating the token provisioning attempt.
No description provided by the author
Accounts Receivable (ARC).
Back Office Conversion (BOC).
Check Truncation (TRC).
Corporate Credit and Debit (CCD).
Corporate Trade Exchange (CTX).
Customer Initiated (CIE).
Destroyed Check (XCK).
International ACH Transaction (IAT).
Internet Initiated (WEB).
Machine Transfer (MTE).
Point of Purchase (POP).
Point of Sale (POS).
Prearranged Payments and Deposits (PPD).
Represented Check (RCK).
Shared Network Transaction (SHR).
Telephone Initiated (TEL).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Funds have been released.
Funds are still being held.
No description provided by the author
The physical card shipment has been acknowledged by the card fulfillment provider and will be processed in their next batch.
The physical card shipment was canceled prior to submission.
The physical card has not yet been shipped.
The physical card shipment was rejected by the card printer due to an error.
The physical card shipment was returned to the sender and destroyed by the production facility.
The physical card has been shipped.
The physical card shipment has been submitted to the card fulfillment provider.
The destination account is currently blocked from receiving transactions.
The destination account is closed.
The amount is higher than the recipient is authorized to send or receive.
The destination account holder is deceased.
The destination financial institution is currently signed off of Real-Time Payments.
The destination account does not exist.
The destination account is ineligible to receive Real-Time Payments transfers.
The creditor's address is required, but missing or invalid.
The destination routing number is invalid.
The debtor's address is required, but missing or invalid.
The reason is provided as narrative information in the additional information field.
Some other error or issue has occurred.
The transfer was rejected due to an internal Increase issue.
Real-Time Payments is currently unavailable.
The destination financial institution is currently not connected to Real-Time Payments.
There was a timeout processing the transfer.
Real-Time Payments transfers are not allowed to the destination account.
Real-Time Payments transfers are not enabled for the destination account.
The amount of the transfer is different than expected by the recipient.
The specified creditor is unknown.
Real-Time Payments transfers are not enabled for the destination account.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Account Transfer Intention: details will be under the `account_transfer_intention` object.
ACH Transfer Intention: details will be under the `ach_transfer_intention` object.
ACH Transfer Rejection: details will be under the `ach_transfer_rejection` object.
ACH Transfer Return: details will be under the `ach_transfer_return` object.
Card Dispute Acceptance: details will be under the `card_dispute_acceptance` object.
Card Dispute Loss: details will be under the `card_dispute_loss` object.
Card Refund: details will be under the `card_refund` object.
Card Revenue Payment: details will be under the `card_revenue_payment` object.
Card Settlement: details will be under the `card_settlement` object.
Cashback Payment: details will be under the `cashback_payment` object.
Check Deposit Acceptance: details will be under the `check_deposit_acceptance` object.
Check Deposit Return: details will be under the `check_deposit_return` object.
Check Transfer Deposit: details will be under the `check_transfer_deposit` object.
Fee Payment: details will be under the `fee_payment` object.
Inbound ACH Transfer Intention: details will be under the `inbound_ach_transfer` object.
Inbound ACH Transfer Return Intention: details will be under the `inbound_ach_transfer_return_intention` object.
Inbound Check Adjustment: details will be under the `inbound_check_adjustment` object.
Inbound Check Deposit Return Intention: details will be under the `inbound_check_deposit_return_intention` object.
Inbound Real-Time Payments Transfer Confirmation: details will be under the `inbound_real_time_payments_transfer_confirmation` object.
Inbound Real-Time Payments Transfer Decline: details will be under the `inbound_real_time_payments_transfer_decline` object.
Inbound Wire Reversal: details will be under the `inbound_wire_reversal` object.
Inbound Wire Transfer Intention: details will be under the `inbound_wire_transfer` object.
Inbound Wire Transfer Reversal Intention: details will be under the `inbound_wire_transfer_reversal` object.
Interest Payment: details will be under the `interest_payment` object.
Internal Source: details will be under the `internal_source` object.
The Transaction was made for an undocumented or deprecated reason.
Real-Time Payments Transfer Acknowledgement: details will be under the `real_time_payments_transfer_acknowledgement` object.
Sample Funds: details will be under the `sample_funds` object.
Wire Transfer Intention: details will be under the `wire_transfer_intention` object.
An Account Number.
A Card.
A Lockbox.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Code R02.
Code R16.
Code R12.
Code R25.
Code R19.
Code R07.
Code R15.
Code R29.
Code R74.
Code R23.
Code R11.
Code R10.
Code R24.
Code R67.
Code R47.
Code R43.
Code R44.
Code R45.
Code R46.
Code R41.
Code R40.
Code R42.
Code R84.
Code R69.
Code R17.
Code R83.
Code R80.
Code R18.
Code R39.
Code R85.
Code R01.
Code R04.
Code R13.
Code R21.
Code R82.
Code R22.
Code R53.
Code R51.
Code R34.
Code R26.
Code R71.
Code R61.
Code R03.
Code R76.
Code R77.
Code R81.
Code R20.
Code R08.
Code R31.
Code R70.
Code R32.
Code R30.
Code R14.
Code R06.
Code R75.
Code R62.
Code R36.
Code R35.
Code R33.
Code R28.
Code R37.
Code R50.
Code R52.
Code R38.
Code R73.
Code R27.
Code R05.
Code R09.
Code R72.
Code R68.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Extra mileage.
Gas.
Late return.
No extra charge.
One way service fee.
Parking violation.
No show for specialized vehicle.
Not applicable.
Gift shop.
Laundry.
Mini bar.
No extra charge.
Other.
Restaurant.
Telephone.
No show.
Not applicable.
Free text.
Hotel folio number.
Invoice number.
Order number.
Rental agreement number.
Airline ticket and passenger transport ancillary purchase cancellation.
No credit.
Other.
Passenger transport ancillary purchase cancellation.
Baggage fee.
Bundled service.
Carbon offset.
Cargo.
Change fee.
Frequent flyer.
Gift card.
Ground transport.
In-flight entertainment.
Lounge.
Meal beverage.
Medical.
None.
Other.
Passenger assist fee.
Pets.
Seat fees.
Service fee.
Standby.
Store.
Travel service.
Unaccompanied travel.
Upgrades.
Wi-fi.
Airline ticket and passenger transport ancillary purchase cancellation.
Airline ticket cancellation.
No credit.
Other.
Partial refund of airline ticket.
Passenger transport ancillary purchase cancellation.
No restrictions.
Restricted non-refundable ticket.
Change to existing ticket.
New ticket.
None.
None.
Stop over allowed.
Stop over not allowed.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Extra mileage.
Gas.
Late return.
No extra charge.
One way service fee.
Parking violation.
No show for specialized vehicle.
Not applicable.
Gift shop.
Laundry.
Mini bar.
No extra charge.
Other.
Restaurant.
Telephone.
No show.
Not applicable.
Free text.
Hotel folio number.
Invoice number.
Order number.
Rental agreement number.
Airline ticket and passenger transport ancillary purchase cancellation.
No credit.
Other.
Passenger transport ancillary purchase cancellation.
Baggage fee.
Bundled service.
Carbon offset.
Cargo.
Change fee.
Frequent flyer.
Gift card.
Ground transport.
In-flight entertainment.
Lounge.
Meal beverage.
Medical.
None.
Other.
Passenger assist fee.
Pets.
Seat fees.
Service fee.
Standby.
Store.
Travel service.
Unaccompanied travel.
Upgrades.
Wi-fi.
Airline ticket and passenger transport ancillary purchase cancellation.
Airline ticket cancellation.
No credit.
Other.
Partial refund of airline ticket.
Passenger transport ancillary purchase cancellation.
No restrictions.
Restricted non-refundable ticket.
Change to existing ticket.
New ticket.
None.
None.
Stop over allowed.
Stop over not allowed.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Account Transfer Intention: details will be under the `account_transfer_intention` object.
ACH Transfer Intention: details will be under the `ach_transfer_intention` object.
ACH Transfer Rejection: details will be under the `ach_transfer_rejection` object.
ACH Transfer Return: details will be under the `ach_transfer_return` object.
Card Dispute Acceptance: details will be under the `card_dispute_acceptance` object.
Card Dispute Loss: details will be under the `card_dispute_loss` object.
Card Refund: details will be under the `card_refund` object.
Card Revenue Payment: details will be under the `card_revenue_payment` object.
Card Settlement: details will be under the `card_settlement` object.
Cashback Payment: details will be under the `cashback_payment` object.
Check Deposit Acceptance: details will be under the `check_deposit_acceptance` object.
Check Deposit Return: details will be under the `check_deposit_return` object.
Check Transfer Deposit: details will be under the `check_transfer_deposit` object.
Fee Payment: details will be under the `fee_payment` object.
Inbound ACH Transfer Intention: details will be under the `inbound_ach_transfer` object.
Inbound ACH Transfer Return Intention: details will be under the `inbound_ach_transfer_return_intention` object.
Inbound Check Adjustment: details will be under the `inbound_check_adjustment` object.
Inbound Check Deposit Return Intention: details will be under the `inbound_check_deposit_return_intention` object.
Inbound Real-Time Payments Transfer Confirmation: details will be under the `inbound_real_time_payments_transfer_confirmation` object.
Inbound Real-Time Payments Transfer Decline: details will be under the `inbound_real_time_payments_transfer_decline` object.
Inbound Wire Reversal: details will be under the `inbound_wire_reversal` object.
Inbound Wire Transfer Intention: details will be under the `inbound_wire_transfer` object.
Inbound Wire Transfer Reversal Intention: details will be under the `inbound_wire_transfer_reversal` object.
Interest Payment: details will be under the `interest_payment` object.
Internal Source: details will be under the `internal_source` object.
The Transaction was made for an undocumented or deprecated reason.
Real-Time Payments Transfer Acknowledgement: details will be under the `real_time_payments_transfer_acknowledgement` object.
Sample Funds: details will be under the `sample_funds` object.
Wire Transfer Intention: details will be under the `wire_transfer_intention` object.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The check doesn't allow ACH conversion.
The check present was either altered or fake.
The bank sold this account and no longer services this customer.
The bank cannot determine the amount.
The account is closed.
The check has already been deposited.
The check endorsement was irregular.
The endorsement was missing.
The account this check is drawn on is frozen.
The check image fails the bank's security check.
Insufficient funds.
The check exceeds the bank or customer's limit.
No account was found matching the check details.
The check is a non-cash item and cannot be drawn against the account.
The check was not authorized.
The check is post dated.
The signature is inconsistent with prior signatures.
The check signature was missing.
The check is too old.
The payment has been stopped by the account holder.
The bank suspects a stop payment will be placed.
The bank is unable to process this check.
The reason for the return is unknown.
The image doesn't match the details submitted.
The image could not be read.
The bank cannot read the image.
No description provided by the author
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Unstructured addendum.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
The account number is canceled.
The account number is disabled.
Your account is restricted.
The account's entity is not active.
Your account is inactive.
Your account is not enabled to receive Real-Time Payments transfers.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
Account closure.
Bank-drawn check.
Bank-drawn check credit.
Bank migration.
Check adjustment.
Collection payment.
Collection receivable.
Empyreal adjustment.
Error.
Error correction.
Fees.
Interest.
Negative balance forgiveness.
Sample funds.
Sample funds return.
No description provided by the author
The drawdown request has been fulfilled by the recipient.
The drawdown request has been sent and the recipient should respond in some way.
The drawdown request is queued to be submitted to Fedwire.
The drawdown request has been refused by the recipient.
The drawdown request has been fulfilled by the recipient.
The drawdown request has been sent and the recipient should respond in some way.
The drawdown request is queued to be submitted to Fedwire.
The drawdown request has been refused by the recipient.
No description provided by the author
An API key.
An OAuth application you connected to Increase.
A User in the Increase dashboard.
Canadian Dollar (CAD).
Swiss Franc (CHF).
Euro (EUR).
British Pound (GBP).
Japanese Yen (JPY).
US Dollar (USD).
No description provided by the author
The transfer has been canceled.
The transfer has been acknowledged by Fedwire and can be considered complete.
The transfer is pending approval.
The transfer is pending creation.
The transfer is pending review by Increase.
The transfer has been rejected by Increase.
The transfer requires attention from an Increase operator.
The transfer has been reversed.
The transfer has been submitted to Fedwire.
No description provided by the author

# Structs

Accounts are your bank accounts with Increase.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
Each account can have multiple account and routing numbers.
Properties related to how this Account Number handles inbound ACH transfers.
Properties related to how this Account Number should handle inbound check withdrawals.
No description provided by the author
No description provided by the author
No description provided by the author
Options related to how this Account Number should handle inbound ACH transfers.
Options related to how this Account Number should handle inbound check withdrawals.
AccountNumberService contains methods and other services that help with interacting with the increase API.
No description provided by the author
Options related to how this Account Number handles inbound ACH transfers.
Options related to how this Account Number should handle inbound check withdrawals.
AccountService contains methods and other services that help with interacting with the increase API.
Account Statements are generated monthly for every active Account.
No description provided by the author
No description provided by the author
AccountStatementService contains methods and other services that help with interacting with the increase API.
Account transfers move funds between your own accounts at Increase.
If your account requires approvals for transfers and the transfer was approved, this will contain details of the approval.
If your account requires approvals for transfers and the transfer was not approved, this will contain details of the cancellation.
What object created the transfer, either via the API or the dashboard.
If present, details about the API key that created the transfer.
If present, details about the OAuth Application that created the transfer.
If present, details about the User that created the transfer.
No description provided by the author
No description provided by the author
No description provided by the author
AccountTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
ACH Prenotifications are one way you can verify account and routing numbers by Automated Clearing House (ACH).
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
If your prenotification is returned, this will contain details of the return.
ACHPrenotificationService contains methods and other services that help with interacting with the increase API.
ACH transfers move funds between your Increase account and any other account accessible by the Automated Clearing House (ACH).
After the transfer is acknowledged by FedACH, this will contain supplemental details.
Additional information that will be sent to the recipient.
Unstructured `payment_related_information` passed through with the transfer.
No description provided by the author
Structured ASC X12 820 remittance advice records.
No description provided by the author
If your account requires approvals for transfers and the transfer was approved, this will contain details of the approval.
If your account requires approvals for transfers and the transfer was not approved, this will contain details of the cancellation.
What object created the transfer, either via the API or the dashboard.
If present, details about the API key that created the transfer.
If present, details about the OAuth Application that created the transfer.
If present, details about the User that created the transfer.
Increase will sometimes hold the funds for ACH debit transfers.
No description provided by the author
No description provided by the author
No description provided by the author
Additional information that will be sent to the recipient.
Unstructured `payment_related_information` passed through with the transfer.
No description provided by the author
Structured ASC X12 820 remittance advice records.
No description provided by the author
Configuration for how the effective date of the transfer will be set.
No description provided by the author
Configuration for how the effective date of the transfer will be set.
If your transfer is returned, this will contain details of the return.
ACHTransferService contains methods and other services that help with interacting with the increase API.
A subhash containing information about when and how the transfer settled at the Federal Reserve.
After the transfer is submitted to FedACH, this will contain supplemental details.
Represents a request to lookup the balance of an Account at a given point in time.
Accounts are T-accounts.
No description provided by the author
No description provided by the author
No description provided by the author
BookkeepingAccountService contains methods and other services that help with interacting with the increase API.
No description provided by the author
Represents a request to lookup the balance of an Bookkeeping Account at a given point in time.
Entries are T-account entries recording debits and credits.
No description provided by the author
BookkeepingEntryService contains methods and other services that help with interacting with the increase API.
Entry Sets are accounting entries that are transactionally applied.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
BookkeepingEntrySetService contains methods and other services that help with interacting with the increase API.
Cards are commercial credit cards.
The Card's billing address.
An object containing the sensitive details (card number, cvc, etc) for a Card.
The contact information used in the two-factor steps for digital wallet card creation.
If unauthorized activity occurs on a card, you can create a Card Dispute and we'll return the funds if appropriate.
If the Card Dispute's status is `accepted`, this will contain details of the successful dispute.
No description provided by the author
No description provided by the author
No description provided by the author
If the Card Dispute's status is `lost`, this will contain details of the lost dispute.
No description provided by the author
If the Card Dispute's status is `rejected`, this will contain details of the unsuccessful dispute.
CardDisputeService contains methods and other services that help with interacting with the increase API.
If the Card Dispute's status is `won`, this will contain details of the won dispute.
No description provided by the author
No description provided by the author
No description provided by the author
The card's billing address.
The contact information used in the two-factor steps for digital wallet card creation.
Card Payments group together interactions related to a single card payment, such as an authorization and its corresponding settlement.
No description provided by the author
A Card Authorization object.
A Card Authorization Expiration object.
Fields specific to the `network`.
Fields specific to the `visa` network.
Network-specific identifiers for a specific request or transaction.
Fields related to verification of cardholder-provided values.
Cardholder address provided in the authorization request and the address on file we verified it against.
Fields related to verification of the Card Verification Code, a 3-digit code on the back of the card.
A Card Decline object.
Fields specific to the `network`.
Fields specific to the `visa` network.
Network-specific identifiers for a specific request or transaction.
Fields related to verification of cardholder-provided values.
Cardholder address provided in the authorization request and the address on file we verified it against.
Fields related to verification of the Card Verification Code, a 3-digit code on the back of the card.
A Card Fuel Confirmation object.
Network-specific identifiers for a specific request or transaction.
A Card Increment object.
Network-specific identifiers for a specific request or transaction.
A Card Refund object.
Interchange assessed as a part of this transaciton.
Network-specific identifiers for this refund.
Additional details about the card purchase, such as tax and industry-specific fields.
Fields specific to car rentals.
Fields specific to lodging.
Fields specific to travel.
Ancillary purchases in addition to the airfare.
No description provided by the author
No description provided by the author
A Card Reversal object.
Network-specific identifiers for a specific request or transaction.
A Card Settlement object.
Interchange assessed as a part of this transaciton.
Network-specific identifiers for this refund.
Additional details about the card purchase, such as tax and industry-specific fields.
Fields specific to car rentals.
Fields specific to lodging.
Fields specific to travel.
Ancillary purchases in addition to the airfare.
No description provided by the author
No description provided by the author
A Card Validation object.
Fields specific to the `network`.
Fields specific to the `visa` network.
Network-specific identifiers for a specific request or transaction.
Fields related to verification of cardholder-provided values.
Cardholder address provided in the authorization request and the address on file we verified it against.
Fields related to verification of the Card Verification Code, a 3-digit code on the back of the card.
No description provided by the author
No description provided by the author
CardPaymentService contains methods and other services that help with interacting with the increase API.
The summarized state of this card payment.
Additional information about a card purchase (e.g., settlement or refund), such as level 3 line item data.
Invoice-level information about the payment.
No description provided by the author
No description provided by the author
No description provided by the author
CardPurchaseSupplementService contains methods and other services that help with interacting with the increase API.
CardService contains methods and other services that help with interacting with the increase API.
No description provided by the author
The card's updated billing address.
The contact information used in the two-factor steps for digital wallet card creation.
Check Deposits allow you to deposit images of paper checks into your account.
If your deposit is successfully parsed and accepted by Increase, this will contain details of the parsed check.
If your deposit is rejected by Increase, this will contain details as to why it was rejected.
If your deposit is returned, this will contain details as to why it was returned.
After the check is parsed, it is submitted to the Check21 network for processing.
Increase will sometimes hold the funds for Check Deposits.
No description provided by the author
No description provided by the author
No description provided by the author
CheckDepositService contains methods and other services that help with interacting with the increase API.
Check Transfers move funds from your Increase account by mailing a physical check.
If your account requires approvals for transfers and the transfer was approved, this will contain details of the approval.
If your account requires approvals for transfers and the transfer was not approved, this will contain details of the cancellation.
What object created the transfer, either via the API or the dashboard.
If present, details about the API key that created the transfer.
If present, details about the OAuth Application that created the transfer.
If present, details about the User that created the transfer.
No description provided by the author
No description provided by the author
If the check has been mailed by Increase, this will contain details of the shipment.
No description provided by the author
Details relating to the physical check that Increase will print and mail.
Details for where Increase will mail the check.
The return address to be printed on the check.
Details relating to the custom fulfillment you will perform.
Details relating to the physical check that Increase will print and mail.
Details for where Increase will mail the check.
The return address to be printed on the check.
No description provided by the author
CheckTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
After a stop-payment is requested on the check, this will contain supplemental details.
After the transfer is submitted, this will contain supplemental details.
Details relating to the custom fulfillment you will perform.
Client creates a struct with services and top level methods that help with interacting with the increase API.
Declined Transactions are refused additions and removals of money from your bank account.
No description provided by the author
No description provided by the author
No description provided by the author
DeclinedTransactionService contains methods and other services that help with interacting with the increase API.
This is an object giving more details on the network-level event that caused the Declined Transaction.
An ACH Decline object.
A Card Decline object.
Fields specific to the `network`.
Fields specific to the `visa` network.
Network-specific identifiers for a specific request or transaction.
Fields related to verification of cardholder-provided values.
Cardholder address provided in the authorization request and the address on file we verified it against.
Fields related to verification of the Card Verification Code, a 3-digit code on the back of the card.
A Check Decline object.
A Check Deposit Rejection object.
An Inbound Real-Time Payments Transfer Decline object.
A Wire Decline object.
This contains artwork and metadata relating to a Card's appearance in digital wallet apps like Apple Pay and Google Pay.
No description provided by the author
The Card's text color, specified as an RGB triple.
No description provided by the author
No description provided by the author
No description provided by the author
The Card's text color, specified as an RGB triple.
DigitalCardProfileService contains methods and other services that help with interacting with the increase API.
The Card's text color, specified as an RGB triple.
A Digital Wallet Token is created when a user adds a Card to their Apple Pay or Google Pay app.
No description provided by the author
No description provided by the author
DigitalWalletTokenService contains methods and other services that help with interacting with the increase API.
Increase generates certain documents / forms automatically for your application; they can be listed here.
No description provided by the author
No description provided by the author
No description provided by the author
DocumentService contains methods and other services that help with interacting with the increase API.
Entities are the legal entities that own accounts.
No description provided by the author
No description provided by the author
Details of the corporation entity.
The corporation's address.
No description provided by the author
Personal details for the beneficial owner.
The person's address.
A means of verifying the person's identity.
Details of the government authority entity.
The government authority's address.
No description provided by the author
Details of the joint entity.
No description provided by the author
The person's address.
A means of verifying the person's identity.
No description provided by the author
No description provided by the author
No description provided by the author
Details of the natural person entity.
The person's address.
A means of verifying the person's identity.
No description provided by the author
The identifying details of anyone controlling or owning 25% or more of the corporation.
Personal details for the beneficial owner.
The individual's physical address.
A means of verifying the person's identity.
Information about the United States driver's license used for identification.
Information about the identification document provided.
Information about the passport used for identification.
No description provided by the author
Details of the corporation entity to create.
The entity's physical address.
No description provided by the author
Personal details for the beneficial owner.
The individual's physical address.
A means of verifying the person's identity.
Information about the United States driver's license used for identification.
Information about the identification document provided.
Information about the passport used for identification.
Details of the Government Authority entity to create.
The entity's physical address.
No description provided by the author
Details of the joint entity to create.
No description provided by the author
The individual's physical address.
A means of verifying the person's identity.
Information about the United States driver's license used for identification.
Information about the identification document provided.
Information about the passport used for identification.
Details of the natural person entity to create.
The individual's physical address.
A means of verifying the person's identity.
Information about the United States driver's license used for identification.
Information about the identification document provided.
Information about the passport used for identification.
No description provided by the author
A reference to data stored in a third-party verification service.
Details of the trust entity to create.
The trust's physical address.
The grantor of the trust.
The individual's physical address.
A means of verifying the person's identity.
Information about the United States driver's license used for identification.
Information about the identification document provided.
Information about the passport used for identification.
No description provided by the author
Details of the individual trustee.
The individual's physical address.
A means of verifying the person's identity.
Information about the United States driver's license used for identification.
Information about the identification document provided.
Information about the passport used for identification.
EntityService contains methods and other services that help with interacting with the increase API.
Supplemental Documents are uploaded files connected to an Entity during onboarding.
A reference to data stored in a third-party verification service.
Details of the trust entity.
The trust's address.
The grantor of the trust.
The person's address.
A means of verifying the person's identity.
No description provided by the author
The individual trustee of the trust.
The person's address.
A means of verifying the person's identity.
No description provided by the author
The entity's physical address.
No description provided by the author
The individual's physical address.
No description provided by the author
Events are records of things that happened to objects at Increase.
No description provided by the author
No description provided by the author
No description provided by the author
EventService contains methods and other services that help with interacting with the increase API.
Webhooks are event notifications we send to you by HTTPS POST requests.
No description provided by the author
No description provided by the author
EventSubscriptionService contains methods and other services that help with interacting with the increase API.
No description provided by the author
Exports are batch summaries of your Increase data.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
Options for the created export.
Filter results by time range on the `created_at` attribute.
Options for the created export.
Filter results by time range on the `created_at` attribute.
Options for the created export.
Filter results by time range on the `created_at` attribute.
Options for the created export.
Entity statuses to filter by.
Options for the created export.
Filter results by time range on the `created_at` attribute.
ExportService contains methods and other services that help with interacting with the increase API.
External Accounts represent accounts at financial institutions other than Increase.
No description provided by the author
No description provided by the author
No description provided by the author
ExternalAccountService contains methods and other services that help with interacting with the increase API.
No description provided by the author
Files are objects that represent a file hosted on Increase's servers.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
FileService contains methods and other services that help with interacting with the increase API.
Groups represent organizations using Increase.
GroupService contains methods and other services that help with interacting with the increase API.
An Inbound ACH Transfer is an ACH transfer initiated outside of Increase to your account.
If your transfer is accepted, this will contain details of the acceptance.
Additional information sent from the originator.
Unstructured `payment_related_information` passed through by the originator.
No description provided by the author
If your transfer is declined, this will contain details of the decline.
No description provided by the author
If the Inbound ACH Transfer has a Standard Entry Class Code of IAT, this will contain fields pertaining to the International ACH Transaction.
No description provided by the author
No description provided by the author
No description provided by the author
If you initiate a notification of change in response to the transfer, this will contain its details.
InboundACHTransferService contains methods and other services that help with interacting with the increase API.
If your transfer is returned, this will contain details of the return.
No description provided by the author
Inbound Check Deposits are records of third-parties attempting to deposit checks against your account.
No description provided by the author
If you requested a return of this deposit, this will contain details of the return.
No description provided by the author
No description provided by the author
No description provided by the author
InboundCheckDepositService contains methods and other services that help with interacting with the increase API.
Inbound Mail Items represent pieces of physical mail delivered to a Lockbox.
No description provided by the author
No description provided by the author
InboundMailItemService contains methods and other services that help with interacting with the increase API.
An Inbound Real-Time Payments Transfer is a Real-Time Payments transfer initiated outside of Increase to your account.
If your transfer is confirmed, this will contain details of the confirmation.
If your transfer is declined, this will contain details of the decline.
No description provided by the author
No description provided by the author
InboundRealTimePaymentsTransferService contains methods and other services that help with interacting with the increase API.
Inbound wire drawdown requests are requests from someone else to send them a wire.
No description provided by the author
InboundWireDrawdownRequestService contains methods and other services that help with interacting with the increase API.
An Inbound Wire Transfer is a wire transfer initiated outside of Increase to your account.
No description provided by the author
No description provided by the author
InboundWireTransferService contains methods and other services that help with interacting with the increase API.
IntraFi is a [network of financial institutions](https://www.intrafi.com/network-banks) that allows Increase users to sweep funds to multiple banks, in addition to Increase's main bank partners.
No description provided by the author
No description provided by the author
No description provided by the author
IntrafiAccountEnrollmentService contains methods and other services that help with interacting with the increase API.
When using IntraFi, each account's balance over the standard FDIC insurance amount are swept to various other institutions.
No description provided by the author
The primary location of the bank.
IntrafiBalanceService contains methods and other services that help with interacting with the increase API.
Certain institutions may be excluded per Entity when sweeping funds into the IntraFi network.
No description provided by the author
No description provided by the author
IntrafiExclusionService contains methods and other services that help with interacting with the increase API.
Lockboxes are physical locations that can receive mail containing paper checks.
The mailing address for the Lockbox.
No description provided by the author
No description provided by the author
No description provided by the author
LockboxService contains methods and other services that help with interacting with the increase API.
No description provided by the author
When a user authorizes your OAuth application, an OAuth Connection object is created.
No description provided by the author
No description provided by the author
OAuthConnectionService contains methods and other services that help with interacting with the increase API.
A token that is returned to your application when a user completes the OAuth flow and may be used to authenticate requests.
No description provided by the author
OAuthTokenService contains methods and other services that help with interacting with the increase API.
Pending Transactions are potential future additions and removals of money from your bank account.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
PendingTransactionService contains methods and other services that help with interacting with the increase API.
This is an object giving more details on the network-level event that caused the Pending Transaction.
An Account Transfer Instruction object.
An ACH Transfer Instruction object.
A Card Authorization object.
Fields specific to the `network`.
Fields specific to the `visa` network.
Network-specific identifiers for a specific request or transaction.
Fields related to verification of cardholder-provided values.
Cardholder address provided in the authorization request and the address on file we verified it against.
Fields related to verification of the Card Verification Code, a 3-digit code on the back of the card.
A Check Deposit Instruction object.
A Check Transfer Instruction object.
An Inbound Funds Hold object.
A Real-Time Payments Transfer Instruction object.
A Wire Transfer Instruction object.
Custom physical Visa cards that are shipped to your customers.
Details about the cardholder, as it appears on the printed card.
No description provided by the author
No description provided by the author
No description provided by the author
Details about the cardholder, as it will appear on the physical card.
The details used to ship this physical card.
The address to where the card should be shipped.
This contains artwork and metadata relating to a Physical Card's appearance.
No description provided by the author
Text printed on the front of the card.
No description provided by the author
No description provided by the author
No description provided by the author
PhysicalCardProfileService contains methods and other services that help with interacting with the increase API.
PhysicalCardService contains methods and other services that help with interacting with the increase API.
The details used to ship this physical card.
The location to where the card's packing label is addressed.
Tracking details for the shipment.
No description provided by the author
Programs determine the compliance and commercial terms of Accounts.
No description provided by the author
ProgramService contains methods and other services that help with interacting with the increase API.
A request for proof of authorization for one or more ACH debit transfers.
No description provided by the author
No description provided by the author
No description provided by the author
ProofOfAuthorizationRequestService contains methods and other services that help with interacting with the increase API.
Information submitted in response to a proof of authorization request.
No description provided by the author
No description provided by the author
ProofOfAuthorizationRequestSubmissionService contains methods and other services that help with interacting with the increase API.
Real Time Decisions are created when your application needs to take action in real-time to some event such as a card authorization.
No description provided by the author
If the Real-Time Decision relates to a 3DS card authentication attempt, this object contains your response to the authentication.
If the Real-Time Decision relates to 3DS card authentication challenge delivery, this object contains your response.
If the Real-Time Decision relates to a card authorization attempt, this object contains your response to the authorization.
If the Real-Time Decision relates to a digital wallet authentication attempt, this object contains your response to the authentication.
No description provided by the author
If the Real-Time Decision relates to a digital wallet token provisioning attempt, this object contains your response to the attempt.
If your application approves the provisioning attempt, this contains metadata about the digital wallet token that will be generated.
If your application declines the provisioning attempt, this contains details about the decline.
Fields related to a 3DS authentication attempt.
Fields related to a 3DS authentication attempt.
Fields related to a card authorization.
Fields specific to the `network`.
Fields specific to the `visa` network.
Network-specific identifiers for a specific request or transaction.
Fields specific to the type of request, such as an incremental authorization.
Fields specific to the category `incremental_authorization`.
Fields related to verification of cardholder-provided values.
Cardholder address provided in the authorization request and the address on file we verified it against.
Fields related to verification of the Card Verification Code, a 3-digit code on the back of the card.
Fields related to a digital wallet authentication attempt.
Fields related to a digital wallet token provisioning attempt.
RealTimeDecisionService contains methods and other services that help with interacting with the increase API.
Real-Time Payments transfers move funds, within seconds, between your Increase account and any other account on the Real-Time Payments network.
No description provided by the author
No description provided by the author
No description provided by the author
Details of the person being requested to pay.
Address of the debtor.
If the request for payment is refused by the destination financial institution or the receiving customer, this will contain supplemental details.
If the request for payment is rejected by Real-Time Payments or the destination financial institution, this will contain supplemental details.
RealTimePaymentsRequestForPaymentService contains methods and other services that help with interacting with the increase API.
After the request for payment is submitted to Real-Time Payments, this will contain supplemental details.
Real-Time Payments transfers move funds, within seconds, between your Increase account and any other account on the Real-Time Payments network.
If your account requires approvals for transfers and the transfer was approved, this will contain details of the approval.
If your account requires approvals for transfers and the transfer was not approved, this will contain details of the cancellation.
What object created the transfer, either via the API or the dashboard.
If present, details about the API key that created the transfer.
If present, details about the OAuth Application that created the transfer.
If present, details about the User that created the transfer.
No description provided by the author
No description provided by the author
No description provided by the author
If the transfer is rejected by Real-Time Payments or the destination financial institution, this will contain supplemental details.
RealTimePaymentsTransferService contains methods and other services that help with interacting with the increase API.
After the transfer is submitted to Real-Time Payments, this will contain supplemental details.
No description provided by the author
Routing numbers are used to identify your bank in a financial transaction.
RoutingNumberService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationAccountStatementService contains methods and other services that help with interacting with the increase API.
SimulationAccountTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
No description provided by the author
SimulationACHTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardAuthorizationExpirationService contains methods and other services that help with interacting with the increase API.
No description provided by the author
The results of a Card Authorization simulation.
SimulationCardAuthorizationService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardDisputeService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardFuelConfirmationService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardIncrementService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardRefundService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardReversalService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationCardSettlementService contains methods and other services that help with interacting with the increase API.
SimulationCheckDepositService contains methods and other services that help with interacting with the increase API.
SimulationCheckTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
The results of a Digital Wallet Token simulation.
SimulationDigitalWalletTokenRequestService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationDocumentService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInboundACHTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInboundCheckDepositService contains methods and other services that help with interacting with the increase API.
We hold funds for certain transaction types to account for return windows where funds might still be clawed back by the sending institution.
SimulationInboundFundsHoldService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInboundMailItemService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInboundRealTimePaymentsTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInboundWireDrawdownRequestService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInboundWireTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationInterestPaymentService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationPhysicalCardService contains methods and other services that help with interacting with the increase API.
No description provided by the author
SimulationProgramService contains methods and other services that help with interacting with the increase API.
No description provided by the author
If set, the simulation will reject the transfer.
SimulationRealTimePaymentsTransferService contains methods and other services that help with interacting with the increase API.
SimulationService contains methods and other services that help with interacting with the increase API.
SimulationWireTransferService contains methods and other services that help with interacting with the increase API.
No description provided by the author
No description provided by the author
SupplementalDocumentService contains methods and other services that help with interacting with the increase API.
Transactions are the immutable additions and removals of money from your bank account.
No description provided by the author
No description provided by the author
No description provided by the author
TransactionService contains methods and other services that help with interacting with the increase API.
This is an object giving more details on the network-level event that caused the Transaction.
An Account Transfer Intention object.
An ACH Transfer Intention object.
An ACH Transfer Rejection object.
An ACH Transfer Return object.
A Card Dispute Acceptance object.
A Card Dispute Loss object.
A Card Refund object.
Interchange assessed as a part of this transaciton.
Network-specific identifiers for this refund.
Additional details about the card purchase, such as tax and industry-specific fields.
Fields specific to car rentals.
Fields specific to lodging.
Fields specific to travel.
Ancillary purchases in addition to the airfare.
No description provided by the author
No description provided by the author
A Card Revenue Payment object.
A Card Settlement object.
Interchange assessed as a part of this transaciton.
Network-specific identifiers for this refund.
Additional details about the card purchase, such as tax and industry-specific fields.
Fields specific to car rentals.
Fields specific to lodging.
Fields specific to travel.
Ancillary purchases in addition to the airfare.
No description provided by the author
No description provided by the author
A Cashback Payment object.
A Check Deposit Acceptance object.
A Check Deposit Return object.
A Check Transfer Deposit object.
A Fee Payment object.
An Inbound ACH Transfer Intention object.
Additional information sent from the originator.
Unstructured `payment_related_information` passed through by the originator.
No description provided by the author
An Inbound Real-Time Payments Transfer Confirmation object.
An Inbound Real-Time Payments Transfer Decline object.
An Inbound Wire Reversal object.
An Inbound Wire Transfer Intention object.
An Interest Payment object.
An Internal Source object.
A Real-Time Payments Transfer Acknowledgement object.
A Sample Funds object.
A Wire Transfer Intention object.
WebhookService contains methods and other services that help with interacting with the increase API.
Wire drawdown requests enable you to request that someone else send you a wire.
No description provided by the author
No description provided by the author
WireDrawdownRequestService contains methods and other services that help with interacting with the increase API.
After the drawdown request is submitted to Fedwire, this will contain supplemental details.
Wire transfers move funds between your Increase account and any other account accessible by Fedwire.
If your account requires approvals for transfers and the transfer was approved, this will contain details of the approval.
If your account requires approvals for transfers and the transfer was not approved, this will contain details of the cancellation.
What object created the transfer, either via the API or the dashboard.
If present, details about the API key that created the transfer.
If present, details about the OAuth Application that created the transfer.
If present, details about the User that created the transfer.
No description provided by the author
No description provided by the author
No description provided by the author
If your transfer is reversed, this will contain details of the reversal.
WireTransferService contains methods and other services that help with interacting with the increase API.
After the transfer is submitted to Fedwire, this will contain supplemental details.

# Type aliases

The bank the Account is with.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the Account currency.
Filter Accounts for those with the specified status.
Whether ACH debits are allowed against this Account Number.
How Increase should process checks with this account number printed on them.
The ACH Debit status to retrieve Account Numbers for.
The status to retrieve Account Numbers for.
Whether ACH debits are allowed against this Account Number.
How Increase should process checks with this account number printed on them.
This indicates if payments can be made to the Account Number.
A constant representing the object's type.
Whether ACH debits are allowed against this Account Number.
How Increase should process checks with this account number printed on them.
This indicates if transfers can be made to the Account Number.
A constant representing the object's type.
The status of the Account.
The type of object that created this transfer.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the destination account currency.
The transfer's network.
The lifecycle status of the transfer.
A constant representing the object's type.
A constant representing the object's type.
If the notification is for a future credit or debit.
Whether the Prenotification is for a future debit or credit.
The Standard Entry Class (SEC) code to use for the ACH Prenotification.
The required type of change that is being signaled by the receiving financial institution.
Why the Prenotification was returned.
The lifecycle status of the ACH Prenotification.
A constant representing the object's type.
The type of the resource.
The type of object that created this transfer.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transfer's currency.
The type of entity that owns the account to which the ACH Transfer is being sent.
The type of the account to which the transfer will be sent.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the hold's currency.
The status of the hold.
A constant representing the object's type.
The transfer's network.
The type of addenda to pass with the transfer.
The type of entity that owns the account to which the ACH Transfer is being sent.
The type of the account to which the transfer will be sent.
A schedule by which Increase will choose an effective date for the transfer.
The Standard Entry Class (SEC) code to use for the transfer.
The timing of the transaction.
The required type of change that is being signaled by the receiving financial institution.
A schedule by which Increase will choose an effective date for the transfer.
Why the ACH Transfer was returned.
The Standard Entry Class (SEC) code to use for the transfer.
The lifecycle status of the transfer.
The settlement schedule the transfer is expected to follow.
A constant representing the object's type.
A constant representing the object's type.
The compliance category of the account.
The account compliance category.
A constant representing the object's type.
A constant representing the object's type.
A constant representing the object's type.
A constant representing the object's type.
A constant representing the object's type.
No description provided by the author
The results of the Dispute investigation.
A constant representing the object's type.
Whether this authorization was approved by Increase, the card network through stand-in processing, or the user through a real-time decision.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
The direction describes the direction the funds will move, either from the cardholder to the merchant or from the merchant to the cardholder.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the reversal's currency.
The card network used to process this card authorization.
A constant representing the object's type.
The payment network used to process this card authorization.
For electronic commerce transactions, this identifies the level of security used in obtaining the customer's payment credential.
The method used to enter the cardholder's primary account number and card expiration date.
The processing category describes the intent behind the authorization, such as whether it was used for bill payments or an automatic fuel dispenser.
A constant representing the object's type.
The address verification result returned to the card network.
The result of verifying the Card Verification Code.
Whether this authorization was approved by Increase, the card network through stand-in processing, or the user through a real-time decision.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the destination account currency.
The direction describes the direction the funds will move, either from the cardholder to the merchant or from the merchant to the cardholder.
The payment network used to process this card authorization.
For electronic commerce transactions, this identifies the level of security used in obtaining the customer's payment credential.
The method used to enter the cardholder's primary account number and card expiration date.
The processing category describes the intent behind the authorization, such as whether it was used for bill payments or an automatic fuel dispenser.
Why the transaction was declined.
The address verification result returned to the card network.
The result of verifying the Card Verification Code.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the increment's currency.
The card network used to process this card authorization.
A constant representing the object's type.
Whether this authorization was approved by Increase, the card network through stand-in processing, or the user through a real-time decision.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the increment's currency.
The card network used to process this card authorization.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's settlement currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the interchange reimbursement.
Additional charges (gas, late fee, etc.) being billed.
An indicator that the cardholder is being billed for a reserved vehicle that was not actually rented (that is, a "no-show" charge).
Additional charges (phone, late check-out, etc.) being billed.
Indicator that the cardholder is being billed for a reserved room that was not actually used.
The format of the purchase identifier.
Indicates the reason for a credit to the cardholder.
Category of the ancillary service.
Indicates the reason for a credit to the cardholder.
Indicates whether this ticket is non-refundable.
Indicates why a ticket was changed.
Indicates whether a stopover is allowed on this ticket.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the reversal's currency.
The card network used to process this card authorization.
Why this reversal was initiated.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's settlement currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the interchange reimbursement.
Additional charges (gas, late fee, etc.) being billed.
An indicator that the cardholder is being billed for a reserved vehicle that was not actually rented (that is, a "no-show" charge).
Additional charges (phone, late check-out, etc.) being billed.
Indicator that the cardholder is being billed for a reserved room that was not actually used.
The format of the purchase identifier.
Indicates the reason for a credit to the cardholder.
Category of the ancillary service.
Indicates the reason for a credit to the cardholder.
Indicates whether this ticket is non-refundable.
Indicates why a ticket was changed.
Indicates whether a stopover is allowed on this ticket.
A constant representing the object's type.
Whether this authorization was approved by Increase, the card network through stand-in processing, or the user through a real-time decision.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
The payment network used to process this card authorization.
For electronic commerce transactions, this identifies the level of security used in obtaining the customer's payment credential.
The method used to enter the cardholder's primary account number and card expiration date.
A constant representing the object's type.
The address verification result returned to the card network.
The result of verifying the Card Verification Code.
The type of the resource.
A constant representing the object's type.
Indicates how the merchant applied the discount.
Indicates how the merchant applied taxes.
Indicates the type of line item.
Indicates how the merchant applied the discount for this specific line item.
A constant representing the object's type.
This indicates if payments can be made with the card.
A constant representing the object's type.
The status to update the Card with.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the check's currency.
Why the check deposit was rejected.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
Why this check was returned by the bank holding the account it was drawn against.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the hold's currency.
The status of the hold.
A constant representing the object's type.
The status of the Check Deposit.
A constant representing the object's type.
The type of object that created this transfer.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the check's currency.
Whether Increase will print and mail the check or if you will do it yourself.
Whether Increase will print and mail the check or if you will do it yourself.
The type of tracking event.
The lifecycle status of the transfer.
The reason why this transfer should be stopped.
The reason why this transfer was stopped.
A constant representing the object's type.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the Declined Transaction's currency.
No description provided by the author
The type of the route this Declined Transaction came through.
Why the ACH transfer was declined.
A constant representing the object's type.
Whether this authorization was approved by Increase, the card network through stand-in processing, or the user through a real-time decision.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the destination account currency.
The direction describes the direction the funds will move, either from the cardholder to the merchant or from the merchant to the cardholder.
The payment network used to process this card authorization.
For electronic commerce transactions, this identifies the level of security used in obtaining the customer's payment credential.
The method used to enter the cardholder's primary account number and card expiration date.
The processing category describes the intent behind the authorization, such as whether it was used for bill payments or an automatic fuel dispenser.
Why the transaction was declined.
The address verification result returned to the card network.
The result of verifying the Card Verification Code.
The type of the resource.
Why the check was declined.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the check's currency.
Why the check deposit was rejected.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code of the declined transfer's currency.
Why the transfer was declined.
Why the wire transfer was declined.
A constant representing the object's type.
No description provided by the author
The status of the Card Profile.
A constant representing the object's type.
This indicates if payments can be made with the Digital Wallet Token.
The digital wallet app being used.
A constant representing the object's type.
The type of document.
No description provided by the author
A constant representing the object's type.
A method that can be used to verify the individual's identity.
Why this person is considered a beneficial owner of the entity.
The category of the government authority.
A method that can be used to verify the individual's identity.
No description provided by the author
A method that can be used to verify the individual's identity.
A method that can be used to verify the individual's identity.
No description provided by the author
A method that can be used to verify the individual's identity.
No description provided by the author
The category of the government authority.
A method that can be used to verify the individual's identity.
A method that can be used to verify the individual's identity.
The type of Entity to create.
The vendor that was used to perform the verification.
Whether the trust is `revocable` or `irrevocable`.
A method that can be used to verify the individual's identity.
A method that can be used to verify the individual's identity.
The structure of the trustee.
The status of the entity.
The entity's legal structure.
A constant representing the object's type.
The vendor that was used to perform the verification.
Whether the trust is `revocable` or `irrevocable`.
A method that can be used to verify the individual's identity.
A method that can be used to verify the individual's identity.
The structure of the trustee.
A constant representing the object's type.
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
The category of the Event.
No description provided by the author
If specified, this subscription will only receive webhooks for Events with the specified `category`.
If specified, this subscription will only receive webhooks for Events with the specified `category`.
This indicates if we'll send notifications to this subscription.
A constant representing the object's type.
The status to update the Event Subscription with.
A constant representing the object's type.
The category of the Export.
No description provided by the author
No description provided by the author
The type of Export to create.
No description provided by the author
The status of the Export.
A constant representing the object's type.
The type of entity that owns the External Account.
The type of the account to which the transfer will be sent.
No description provided by the author
The type of entity that owns the External Account.
The type of the destination account.
The External Account's status.
A constant representing the object's type.
The type of entity that owns the External Account.
The funding type of the External Account.
The status of the External Account.
If you have verified ownership of the External Account.
Whether the File was generated by Increase or by you and sent to Increase.
No description provided by the author
What the File will be used for in Increase's systems.
What the File will be used for.
A constant representing the object's type.
If the Group is allowed to create ACH debits.
If the Group is activated or not.
A constant representing the object's type.
The type of addendum.
The reason why this transfer will be returned.
The reason for the transfer decline.
The direction of the transfer.
The settlement schedule the transfer is expected to follow.
A description of how the foreign exchange rate was calculated.
An instruction of how to interpret the `foreign_exchange_reference` field for this Transaction.
The type of transfer.
An instruction of how to interpret the `originating_depository_financial_institution_id` field for this Transaction.
An instruction of how to interpret the `receiving_depository_financial_institution_id` field for this Transaction.
Filter Inbound ACH Transfers to those with the specified status.
The Standard Entry Class (SEC) code of the transfer.
The status of the transfer.
The reason why this transfer will be returned.
The reason for the transfer return.
A constant representing the object's type.
The reason for the adjustment.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the deposit.
The reason the deposit was returned.
The reason to return the Inbound Check Deposit.
The status of the Inbound Check Deposit.
A constant representing the object's type.
If the mail item has been rejected, why it was rejected.
If the mail item has been processed.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code of the transfer's currency.
The reason for the transfer decline.
The lifecycle status of the transfer.
A constant representing the object's type.
A constant representing the object's type.
Filter Inbound Wire Transfers to those with the specified status.
The status of the transfer.
A constant representing the object's type.
No description provided by the author
The status of the account in the network.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the account currency.
A constant representing the object's type.
The status of the exclusion request.
A constant representing the object's type.
This indicates if mail can be sent to this address.
A constant representing the object's type.
This indicates if checks can be sent to the Lockbox.
No description provided by the author
Whether the connection is active.
A constant representing the object's type.
The credential you request in exchange for the code.
The type of OAuth token.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the Pending Transaction's currency.
No description provided by the author
No description provided by the author
The type of the route this Pending Transaction came through.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the destination account currency.
Whether this authorization was approved by Increase, the card network through stand-in processing, or the user through a real-time decision.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
The direction describes the direction the funds will move, either from the cardholder to the merchant or from the merchant to the cardholder.
The payment network used to process this card authorization.
For electronic commerce transactions, this identifies the level of security used in obtaining the customer's payment credential.
The method used to enter the cardholder's primary account number and card expiration date.
The processing category describes the intent behind the authorization, such as whether it was used for bill payments or an automatic fuel dispenser.
A constant representing the object's type.
The address verification result returned to the card network.
The result of verifying the Card Verification Code.
The type of the resource.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the check's currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the hold's currency.
The status of the hold.
A constant representing the object's type.
Whether the Pending Transaction has been confirmed and has an associated Transaction.
A constant representing the object's type.
The shipping method to use.
The creator of this Physical Card Profile.
No description provided by the author
The status of the Physical Card Profile.
A constant representing the object's type.
The shipping method.
The status of this shipment.
The status of the Physical Card.
A constant representing the object's type.
The status to update the Physical Card to.
The Bank the Program is with.
A constant representing the object's type.
Status of the proof of authorization request submission.
A constant representing the object's type.
A constant representing the object's type.
Whether the card authentication challenge was successfully delivered to the cardholder.
Whether the card authentication attempt should be approved or declined.
Whether the card authorization should be approved or declined.
Whether your application was able to deliver the one-time passcode.
Whether or not the challenge was delivered to the cardholder.
Whether or not the authentication attempt was approved.
Whether or not the authorization was approved.
The direction describes the direction the funds will move, either from the cardholder to the merchant or from the merchant to the cardholder.
The payment network used to process this card authorization.
For electronic commerce transactions, this identifies the level of security used in obtaining the customer's payment credential.
The method used to enter the cardholder's primary account number and card expiration date.
The processing category describes the intent behind the authorization, such as whether it was used for bill payments or an automatic fuel dispenser.
The type of this request (e.g., an initial authorization or an incremental authorization).
The address verification result returned to the card network.
The result of verifying the Card Verification Code.
The category of the Real-Time Decision.
The channel to send the card user their one-time passcode.
The digital wallet app being used.
Whether your application successfully delivered the one-time passcode.
Whether or not the provisioning request was approved.
The digital wallet app being used.
The status of the Real-Time Decision.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transfer's currency.
The reason the request for payment was refused as provided by the recipient bank or the customer.
The reason the request for payment was rejected as provided by the recipient bank or the Real-Time Payments network.
The lifecycle status of the request for payment.
A constant representing the object's type.
The type of object that created this transfer.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transfer's currency.
The reason the transfer was rejected as provided by the recipient bank or the Real-Time Payments network.
The lifecycle status of the transfer.
A constant representing the object's type.
This routing number's support for ACH Transfers.
This routing number's support for Real-Time Payments Transfers.
A constant representing the object's type.
This routing number's support for Wire Transfers.
The reason for the notification of change.
The reason why the Federal Reserve or destination bank returned this transfer.
Forces a card decline with a specific reason.
The direction describes the direction the funds will move, either from the cardholder to the merchant or from the merchant to the cardholder.
A constant representing the object's type.
The status to move the dispute to.
If the simulated tokenization attempt was declined, this field contains details as to why.
A constant representing the object's type.
The standard entry class code for the transfer.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the hold's currency.
The status of the hold.
A constant representing the object's type.
The shipment status to move the Physical Card to.
The reason code that the simulated rejection will have.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the Transaction's currency.
No description provided by the author
The type of the route this Transaction came through.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the destination account currency.
Why the ACH Transfer was returned.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's settlement currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the interchange reimbursement.
Additional charges (gas, late fee, etc.) being billed.
An indicator that the cardholder is being billed for a reserved vehicle that was not actually rented (that is, a "no-show" charge).
Additional charges (phone, late check-out, etc.) being billed.
Indicator that the cardholder is being billed for a reserved room that was not actually used.
The format of the purchase identifier.
Indicates the reason for a credit to the cardholder.
Category of the ancillary service.
Indicates the reason for a credit to the cardholder.
Indicates whether this ticket is non-refundable.
Indicates why a ticket was changed.
Indicates whether a stopover is allowed on this ticket.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's settlement currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the interchange reimbursement.
Additional charges (gas, late fee, etc.) being billed.
An indicator that the cardholder is being billed for a reserved vehicle that was not actually rented (that is, a "no-show" charge).
Additional charges (phone, late check-out, etc.) being billed.
Indicator that the cardholder is being billed for a reserved room that was not actually used.
The format of the purchase identifier.
Indicates the reason for a credit to the cardholder.
Category of the ancillary service.
Indicates the reason for a credit to the cardholder.
Indicates whether this ticket is non-refundable.
Indicates why a ticket was changed.
Indicates whether a stopover is allowed on this ticket.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction currency.
The type of the resource.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction's currency.
Why this check was returned by the bank holding the account it was drawn against.
A constant representing the object's type.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction currency.
The type of addendum.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code of the transfer's currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code of the declined transfer's currency.
Why the transfer was declined.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction currency.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transaction currency.
An Internal Source is a transaction between you and Increase.
A constant representing the object's type.
Filter Wire Drawdown Requests for those with the specified status.
The lifecycle status of the drawdown request.
A constant representing the object's type.
The type of object that created this transfer.
The [ISO 4217](https://en.wikipedia.org/wiki/ISO_4217) code for the transfer's currency.
The transfer's network.
The lifecycle status of the transfer.
A constant representing the object's type.