Processor endpoints
API reference for endpoints for use with or by Plaid partners
Processor token endpoints
Processor token endpoints are used to create tokens that are then sent to a Plaid partner for use in a Plaid integration. For a full list of integrations, see the developer dashboard. For specific information on Auth integrations, see Auth payment partners.
In this section | |
---|---|
/processor/token/create | Create a processor token |
/processor/stripe/bank_account_token/create | Create a bank account token for use with Stripe |
/processor/token/permissions/set | Set product permissions for a processor token |
/processor/token/permissions/get | Get product permissions for a processor token |
See also | |
---|---|
/sandbox/processor_token/create | Create a test Item and processor token (Sandbox only) |
/processor/token/create
Create processor token
Used to create a token suitable for sending to one of Plaid's partners to enable integrations. Note that Stripe partnerships use bank account tokens instead; see /processor/stripe/bank_account_token/create
for creating tokens for use with Stripe integrations. Once created, a processor token for a given Item cannot be modified or updated. If the account must be linked to a new or different partner resource, create a new Item by having the user go through the Link flow again; a new processor token can then be created from the new access_token
. Processor tokens can also be revoked, using /item/remove
.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.access_token
account_id
account_id
value obtained from the onSuccess
callback in Linkprocessor
dwolla
, galileo
, modern_treasury
, ocrolus
, prime_trust
, vesta
, drivewealth
, vopay
, achq
, check
, checkbook
, circle
, sila_money
, rize
, svb_api
, unit
, wyre
, lithic
, alpaca
, astra
, moov
, treasury_prime
, marqeta
, checkout
, solid
, highnote
, gemini
, apex_clearing
, gusto
, adyen
, atomic
, i2c
, wepay
, riskified
, utb
, adp_roll
, fortress_trust
1const {2 Configuration,3 PlaidApi,4 PlaidEnvironments,5 ProcessorTokenCreateRequest,6} = require('plaid');7// Change sandbox to development to test with live users;8// Change to production when you're ready to go live!9const configuration = new Configuration({10 basePath: PlaidEnvironments.sandbox,11 baseOptions: {12 headers: {13 'PLAID-CLIENT-ID': process.env.PLAID_CLIENT_ID,14 'PLAID-SECRET': process.env.PLAID_SECRET,15 'Plaid-Version': '2020-09-14',16 },17 },18});1920const plaidClient = new PlaidApi(configuration);2122try {23 // Exchange the public_token from Plaid Link for an access token.24 const tokenResponse = await plaidClient.itemPublicTokenExchange({25 public_token: PUBLIC_TOKEN,26 });27 const accessToken = tokenResponse.data.access_token;2829 // Create a processor token for a specific account id.30 const request: ProcessorTokenCreateRequest = {31 access_token: accessToken,32 account_id: accountID,33 processor: 'dwolla',34 };35 const processorTokenResponse = await plaidClient.processorTokenCreate(36 request,37 );38 const processorToken = processorTokenResponse.data.processor_token;39} catch (error) {40 // handle error41}
Response fields and example
processor_token
processor_token
that can then be used by the Plaid partner to make API requestsrequest_id
1{2 "processor_token": "processor-sandbox-0asd1-a92nc",3 "request_id": "xrQNYZ7Zoh6R7gV"4}
Was this helpful?
/processor/token/permissions/set
Control a processor's access to products
Used to control a processor's access to products on the given processor token. By default, a processor will have access to all available products on the corresponding item. To restrict access to a particular set of products, call this endpoint with the desired products. To restore access to all available products, call this endpoint with an empty list. This endpoint can be called multiple times as your needs and your processor's needs change.
processor/token/permissions/setRequest fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
products
assets
, auth
, balance
, identity
, investments
, liabilities
, payment_initiation
, identity_verification
, transactions
, credit_details
, income
, income_verification
, deposit_switch
, standing_orders
, transfer
, employment
, recurring_transactions
, signal
1try {2 const request: ProcessorTokenPermissionsSetRequest = {3 processor_token: processorToken,4 products: ["auth", "balance", "identity"]5 };6 const response = await plaidClient.processorTokenPermissionsSet(7 request,8 );9} catch (error) {10 // handle error11}
Response fields and example
request_id
1{2 "request_id": "xrQNYZ7Zoh6R7gV"3}
Was this helpful?
/processor/token/permissions/get
Get a processor token's product permissions
Used to get a processor token's product permissions. The products
field will be an empty list if the processor can access all available products.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
1try {2 const request: ProcessorTokenPermissionsGetRequest = {3 processor_token: processorToken,4 };5 const response = await plaidClient.processorTokenPermissionsGet(6 request,7 );8 const products = response.data.products;9} catch (error) {10 // handle error11}
Response fields and example
request_id
products
assets
, auth
, balance
, identity
, investments
, liabilities
, payment_initiation
, identity_verification
, transactions
, credit_details
, income
, income_verification
, deposit_switch
, standing_orders
, transfer
, employment
, recurring_transactions
, signal
1{2 "request_id": "xrQNYZ7Zoh6R7gV",3 "products": [4 "auth",5 "balance",6 "identity"7 ]8}
Was this helpful?
/processor/stripe/bank_account_token/create
Create Stripe bank account token
Used to create a token suitable for sending to Stripe to enable Plaid-Stripe integrations. For a detailed guide on integrating Stripe, see Add Stripe to your app.
Note that the Stripe bank account token is a one-time use token. To store bank account information for later use, you can use a Stripe customer object and create an associated bank account from the token, or you can use a Stripe Custom account and create an associated external bank account from the token. This bank account information should work indefinitely, unless the user's bank account information changes or they revoke Plaid's permissions to access their account. Stripe bank account information cannot be modified once the bank account token has been created. If you ever need to change the bank account details used by Stripe for a specific customer, have the user go through Link again and create a new bank account token from the new access_token
.
Bank account tokens can also be revoked, using /item/remove
.'
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.access_token
account_id
account_id
value obtained from the onSuccess
callback in Link1// Change sandbox to development to test with live users and change2// to production when you're ready to go live!3const {4 Configuration,5 PlaidApi,6 PlaidEnvironments,7 ProcessorStripeBankAccountTokenCreateRequest,8} = require('plaid');9const configuration = new Configuration({10 basePath: PlaidEnvironments[process.env.PLAID_ENV],11 baseOptions: {12 headers: {13 'PLAID-CLIENT-ID': process.env.PLAID_CLIENT_ID,14 'PLAID-SECRET': process.env.PLAID_SECRET,15 'Plaid-Version': '2020-09-14',16 },17 },18});1920const plaidClient = new PlaidApi(configuration);2122try {23 // Exchange the public_token from Plaid Link for an access token.24 const tokenResponse = await plaidClient.itemPublicTokenExchange({25 public_token: PUBLIC_TOKEN,26 });27 const accessToken = tokenResponse.data.access_token;2829 // Generate a bank account token30 const request: ProcessorStripeBankAccountTokenCreateRequest = {31 access_token: accessToken,32 account_id: accountID,33 };34 const stripeTokenResponse = await plaidClient.processorStripeBankAccountTokenCreate(35 request,36 );37 const bankAccountToken = stripeTokenResponse.data.stripe_bank_account_token;38} catch (error) {39 // handle error40}
Response fields and example
stripe_bank_account _token
request_id
1{2 "stripe_bank_account_token": "btok_5oEetfLzPklE1fwJZ7SG",3 "request_id": "xrQNYZ7Zoh6R7gV"4}
Was this helpful?
Processor endpoints
Partner processor endpoints are used by Plaid partners to integrate with Plaid. Instead of using an access_token
associated with a Plaid Item
, these endpoints use a processor_token
to identify a single financial account. These endpoints are used only by partners and not by developers who are using those partners' APIs. If you are a Plaid developer who would like to learn how to move money with one of our partners, see Move money with Auth.
Note that /signal/prepare
isn't available as a processor endpoint because /signal/prepare
adds Signal to an Item, which can only be done by the client who created the Item.
In this section | |
---|---|
/processor/auth/get | Fetch Auth data |
/processor/balance/get | Fetch Balance data |
/processor/identity/get | Fetch Identity data |
/processor/identity/match | Retrieve Identity match scores |
/processor/signal/evaluate | Retrieve Signal scores |
/processor/signal/decision/report | Report whether you initiated an ACH transaction |
/processor/signal/return/report | Report a return for an ACH transaction |
/processor/transactions/sync | Get transaction data or incremental transaction updates |
/processor/transactions/get | Fetch transaction data |
/processor/transactions/recurring/get | Fetch recurring transaction data |
/processor/transactions/refresh | Refresh transaction data |
/processor/auth/get
Retrieve Auth data
The /processor/auth/get
endpoint returns the bank account and bank identification number (such as the routing number, for US accounts), for a checking or savings account that''s associated with a given processor_token
. The endpoint also returns high-level account data and balances when available.
Versioning note: API versions 2019-05-29 and earlier use a different schema for the numbers
object returned by this endpoint. For details, see Plaid API versioning.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
1const request: ProcessorAuthGetRequest = {2 processor_token: processorToken,3};4const response = plaidClient.processorAuthGet(request);
Response fields and example
request_id
numbers
account
. The identifying number type (ACH, EFT, IBAN, or BACS) used will depend on the country of the account. An account may have more than one number type. If a particular identifying number type is not used by the account
for which auth data has been requested, a null value will be returned.ach
account_id
account
Note that when using OAuth with Chase Bank (
ins_56
), Chase will issue "tokenized" routing and account numbers, which are not the user's actual account and routing numbers. These tokenized numbers should work identically to normal account and routing numbers. The digits returned in the mask
field will continue to reflect the actual account number, rather than the tokenized account number; for this reason, when displaying account numbers to the user to help them identify their account in your UI, always use the mask
rather than truncating the account
number. If a user revokes their permissions to your app, the tokenized numbers will continue to work for ACH deposits, but not withdrawals.routing
ins_56
, this may be a tokenized routing number. For more information, see the description of the account
field.wire_routing
eft
account_id
account
institution
branch
international
account_id
iban
bic
bacs
account_id
account
sort_code
account
account_id
account_id
will be assigned to the account.The
account_id
can also change if the access_token
is deleted and the same credentials that were used to generate that access_token
are used to generate a new access_token
on a later date. In that case, the new account_id
will be different from the old account_id
.If an account with a specific
account_id
disappears instead of changing, the account is likely closed. Closed accounts are not returned by the Plaid API.Like all Plaid identifiers, the
account_id
is case sensitive.balances
/accounts/balance/get
.available
For
credit
-type accounts, the available
balance typically equals the limit
less the current
balance, less any pending outflows plus any pending inflows.For
depository
-type accounts, the available
balance typically equals the current
balance less any pending outflows plus any pending inflows. For depository
-type accounts, the available
balance does not include the overdraft limit.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the available
balance is the total cash available to withdraw as presented by the institution.Note that not all institutions calculate the
available
balance. In the event that available
balance is unavailable, Plaid will return an available
balance value of null
.Available balance may be cached and is not guaranteed to be up-to-date in realtime unless the value was returned by
/accounts/balance/get
.If
current
is null
this field is guaranteed not to be null
.double
current
For
credit
-type accounts, a positive balance indicates the amount owed; a negative amount indicates the lender owing the account holder.For
loan
-type accounts, the current balance is the principal remaining on the loan, except in the case of student loan accounts at Sallie Mae (ins_116944
). For Sallie Mae student loans, the account's balance includes both principal and any outstanding interest.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the current balance is the total value of assets as presented by the institution.Note that balance information may be cached unless the value was returned by
/accounts/balance/get
; if the Item is enabled for Transactions, the balance will be at least as recent as the most recent Transaction update. If you require realtime balance information, use the available
balance as provided by /accounts/balance/get
.When returned by
/accounts/balance/get
, this field may be null
. When this happens, available
is guaranteed not to be null
.double
limit
credit
-type accounts, this represents the credit limit.For
depository
-type accounts, this represents the pre-arranged overdraft limit, which is common for current (checking) accounts in Europe.In North America, this field is typically only available for
credit
-type accounts.double
iso_currency_code
unofficial_currency_code
is non-null.unofficial_currency _code
iso_currency_code
is non-null. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
unofficial_currency_code
s.last_updated_datetime
YYYY-MM-DDTHH:mm:ssZ
) indicating the last time that the balance for the given account has been updatedThis is currently only provided when the
min_last_updated_datetime
is passed when calling /accounts/balance/get
for ins_128026
(Capital One).date-time
mask
name
official_name
type
investment:
Investment account. In API versions 2018-05-22 and earlier, this type is called brokerage
instead.credit:
Credit carddepository:
Depository accountloan:
Loan accountother:
Non-specified account typeSee the Account type schema for a full listing of account types and corresponding subtypes.
investment
, credit
, depository
, loan
, brokerage
, other
subtype
401a
, 401k
, 403B
, 457b
, 529
, brokerage
, cash isa
, crypto exchange
, education savings account
, ebt
, fixed annuity
, gic
, health reimbursement arrangement
, hsa
, isa
, ira
, lif
, life insurance
, lira
, lrif
, lrsp
, non-custodial wallet
, non-taxable brokerage account
, other
, other insurance
, other annuity
, prif
, rdsp
, resp
, rlif
, rrif
, pension
, profit sharing plan
, retirement
, roth
, roth 401k
, rrsp
, sep ira
, simple ira
, sipp
, stock plan
, thrift savings plan
, tfsa
, trust
, ugma
, utma
, variable annuity
, credit card
, paypal
, cd
, checking
, savings
, money market
, prepaid
, auto
, business
, commercial
, construction
, consumer
, home equity
, loan
, mortgage
, overdraft
, line of credit
, student
, cash management
, keogh
, mutual fund
, recurring
, rewards
, safe deposit
, sarsep
, payroll
, null
verification_status
pending_automatic_verification
: The Item is pending automatic verificationpending_manual_verification
: The Item is pending manual micro-deposit verification. Items remain in this state until the user successfully verifies the two amounts.automatically_verified
: The Item has successfully been automatically verified manually_verified
: The Item has successfully been manually verifiedverification_expired
: Plaid was unable to automatically verify the deposit within 7 calendar days and will no longer attempt to validate the Item. Users may retry by submitting their information again through Link.verification_failed
: The Item failed manual micro-deposit verification because the user exhausted all 3 verification attempts. Users may retry by submitting their information again through Link.automatically_verified
, pending_automatic_verification
, pending_manual_verification
, manually_verified
, verification_expired
, verification_failed
persistent_account_id
1{2 "account": {3 "account_id": "vzeNDwK7KQIm4yEog683uElbp9GRLEFXGK98D",4 "balances": {5 "available": 100,6 "current": 110,7 "iso_currency_code": "USD",8 "limit": null,9 "unofficial_currency_code": null10 },11 "mask": "0000",12 "name": "Plaid Checking",13 "official_name": "Plaid Gold Checking",14 "subtype": "checking",15 "type": "depository"16 },17 "numbers": {18 "ach": {19 "account": "9900009606",20 "account_id": "vzeNDwK7KQIm4yEog683uElbp9GRLEFXGK98D",21 "routing": "011401533",22 "wire_routing": "021000021"23 },24 "eft": {25 "account": "111122223333",26 "account_id": "vzeNDwK7KQIm4yEog683uElbp9GRLEFXGK98D",27 "institution": "021",28 "branch": "01140"29 },30 "international": {31 "account_id": "vzeNDwK7KQIm4yEog683uElbp9GRLEFXGK98D",32 "bic": "NWBKGB21",33 "iban": "GB29NWBK60161331926819"34 },35 "bacs": {36 "account": "31926819",37 "account_id": "vzeNDwK7KQIm4yEog683uElbp9GRLEFXGK98D",38 "sort_code": "601613"39 }40 },41 "request_id": "1zlMf"42}
Was this helpful?
/processor/balance/get
Retrieve Balance data
The /processor/balance/get
endpoint returns the real-time balance for each of an Item's accounts. While other endpoints may return a balance object, only /processor/balance/get
forces the available and current balance fields to be refreshed rather than cached.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
options
/processor/balance/get
results.min_last_updated _datetime
YYYY-MM-DDTHH:mm:ssZ
) indicating the oldest acceptable balance when making a request to /accounts/balance/get
.If the balance that is pulled for
ins_128026
(Capital One) is older than the given timestamp, an INVALID_REQUEST
error with the code of LAST_UPDATED_DATETIME_OUT_OF_RANGE
will be returned with the most recent timestamp for the requested account contained in the response.This field is only used when the institution is
ins_128026
(Capital One), in which case a value must be provided or an INVALID_REQUEST
error with the code of INVALID_FIELD
will be returned. For all other institutions, this field is ignored.date-time
1const request: ProcessorBalanceGetRequest = {2 processor_token: processorToken,3};4const response = plaidClient.processorBalanceGet(request);
Response fields and example
account
account_id
account_id
will be assigned to the account.The
account_id
can also change if the access_token
is deleted and the same credentials that were used to generate that access_token
are used to generate a new access_token
on a later date. In that case, the new account_id
will be different from the old account_id
.If an account with a specific
account_id
disappears instead of changing, the account is likely closed. Closed accounts are not returned by the Plaid API.Like all Plaid identifiers, the
account_id
is case sensitive.balances
/accounts/balance/get
.available
For
credit
-type accounts, the available
balance typically equals the limit
less the current
balance, less any pending outflows plus any pending inflows.For
depository
-type accounts, the available
balance typically equals the current
balance less any pending outflows plus any pending inflows. For depository
-type accounts, the available
balance does not include the overdraft limit.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the available
balance is the total cash available to withdraw as presented by the institution.Note that not all institutions calculate the
available
balance. In the event that available
balance is unavailable, Plaid will return an available
balance value of null
.Available balance may be cached and is not guaranteed to be up-to-date in realtime unless the value was returned by
/accounts/balance/get
.If
current
is null
this field is guaranteed not to be null
.double
current
For
credit
-type accounts, a positive balance indicates the amount owed; a negative amount indicates the lender owing the account holder.For
loan
-type accounts, the current balance is the principal remaining on the loan, except in the case of student loan accounts at Sallie Mae (ins_116944
). For Sallie Mae student loans, the account's balance includes both principal and any outstanding interest.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the current balance is the total value of assets as presented by the institution.Note that balance information may be cached unless the value was returned by
/accounts/balance/get
; if the Item is enabled for Transactions, the balance will be at least as recent as the most recent Transaction update. If you require realtime balance information, use the available
balance as provided by /accounts/balance/get
.When returned by
/accounts/balance/get
, this field may be null
. When this happens, available
is guaranteed not to be null
.double
limit
credit
-type accounts, this represents the credit limit.For
depository
-type accounts, this represents the pre-arranged overdraft limit, which is common for current (checking) accounts in Europe.In North America, this field is typically only available for
credit
-type accounts.double
iso_currency_code
unofficial_currency_code
is non-null.unofficial_currency _code
iso_currency_code
is non-null. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
unofficial_currency_code
s.last_updated_datetime
YYYY-MM-DDTHH:mm:ssZ
) indicating the last time that the balance for the given account has been updatedThis is currently only provided when the
min_last_updated_datetime
is passed when calling /accounts/balance/get
for ins_128026
(Capital One).date-time
mask
name
official_name
type
investment:
Investment account. In API versions 2018-05-22 and earlier, this type is called brokerage
instead.credit:
Credit carddepository:
Depository accountloan:
Loan accountother:
Non-specified account typeSee the Account type schema for a full listing of account types and corresponding subtypes.
investment
, credit
, depository
, loan
, brokerage
, other
subtype
401a
, 401k
, 403B
, 457b
, 529
, brokerage
, cash isa
, crypto exchange
, education savings account
, ebt
, fixed annuity
, gic
, health reimbursement arrangement
, hsa
, isa
, ira
, lif
, life insurance
, lira
, lrif
, lrsp
, non-custodial wallet
, non-taxable brokerage account
, other
, other insurance
, other annuity
, prif
, rdsp
, resp
, rlif
, rrif
, pension
, profit sharing plan
, retirement
, roth
, roth 401k
, rrsp
, sep ira
, simple ira
, sipp
, stock plan
, thrift savings plan
, tfsa
, trust
, ugma
, utma
, variable annuity
, credit card
, paypal
, cd
, checking
, savings
, money market
, prepaid
, auto
, business
, commercial
, construction
, consumer
, home equity
, loan
, mortgage
, overdraft
, line of credit
, student
, cash management
, keogh
, mutual fund
, recurring
, rewards
, safe deposit
, sarsep
, payroll
, null
verification_status
pending_automatic_verification
: The Item is pending automatic verificationpending_manual_verification
: The Item is pending manual micro-deposit verification. Items remain in this state until the user successfully verifies the two amounts.automatically_verified
: The Item has successfully been automatically verified manually_verified
: The Item has successfully been manually verifiedverification_expired
: Plaid was unable to automatically verify the deposit within 7 calendar days and will no longer attempt to validate the Item. Users may retry by submitting their information again through Link.verification_failed
: The Item failed manual micro-deposit verification because the user exhausted all 3 verification attempts. Users may retry by submitting their information again through Link.automatically_verified
, pending_automatic_verification
, pending_manual_verification
, manually_verified
, verification_expired
, verification_failed
persistent_account_id
request_id
1{2 "account": {3 "account_id": "QKKzevvp33HxPWpoqn6rI13BxW4awNSjnw4xv",4 "balances": {5 "available": 100,6 "current": 110,7 "limit": null,8 "iso_currency_code": "USD",9 "unofficial_currency_code": null10 },11 "mask": "0000",12 "name": "Plaid Checking",13 "official_name": "Plaid Gold Checking",14 "subtype": "checking",15 "type": "depository"16 },17 "request_id": "1zlMf"18}
Was this helpful?
/processor/identity/get
Retrieve Identity data
The /processor/identity/get
endpoint allows you to retrieve various account holder information on file with the financial institution, including names, emails, phone numbers, and addresses.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
1const request: ProcessorIdentityGetRequest = {2 processor_token: processorToken,3};4const response = plaidClient.processorIdentityGet(request);
Response fields and example
account
account_id
account_id
will be assigned to the account.The
account_id
can also change if the access_token
is deleted and the same credentials that were used to generate that access_token
are used to generate a new access_token
on a later date. In that case, the new account_id
will be different from the old account_id
.If an account with a specific
account_id
disappears instead of changing, the account is likely closed. Closed accounts are not returned by the Plaid API.Like all Plaid identifiers, the
account_id
is case sensitive.balances
/accounts/balance/get
.available
For
credit
-type accounts, the available
balance typically equals the limit
less the current
balance, less any pending outflows plus any pending inflows.For
depository
-type accounts, the available
balance typically equals the current
balance less any pending outflows plus any pending inflows. For depository
-type accounts, the available
balance does not include the overdraft limit.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the available
balance is the total cash available to withdraw as presented by the institution.Note that not all institutions calculate the
available
balance. In the event that available
balance is unavailable, Plaid will return an available
balance value of null
.Available balance may be cached and is not guaranteed to be up-to-date in realtime unless the value was returned by
/accounts/balance/get
.If
current
is null
this field is guaranteed not to be null
.double
current
For
credit
-type accounts, a positive balance indicates the amount owed; a negative amount indicates the lender owing the account holder.For
loan
-type accounts, the current balance is the principal remaining on the loan, except in the case of student loan accounts at Sallie Mae (ins_116944
). For Sallie Mae student loans, the account's balance includes both principal and any outstanding interest.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the current balance is the total value of assets as presented by the institution.Note that balance information may be cached unless the value was returned by
/accounts/balance/get
; if the Item is enabled for Transactions, the balance will be at least as recent as the most recent Transaction update. If you require realtime balance information, use the available
balance as provided by /accounts/balance/get
.When returned by
/accounts/balance/get
, this field may be null
. When this happens, available
is guaranteed not to be null
.double
limit
credit
-type accounts, this represents the credit limit.For
depository
-type accounts, this represents the pre-arranged overdraft limit, which is common for current (checking) accounts in Europe.In North America, this field is typically only available for
credit
-type accounts.double
iso_currency_code
unofficial_currency_code
is non-null.unofficial_currency _code
iso_currency_code
is non-null. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
unofficial_currency_code
s.last_updated_datetime
YYYY-MM-DDTHH:mm:ssZ
) indicating the last time that the balance for the given account has been updatedThis is currently only provided when the
min_last_updated_datetime
is passed when calling /accounts/balance/get
for ins_128026
(Capital One).date-time
mask
name
official_name
type
investment:
Investment account. In API versions 2018-05-22 and earlier, this type is called brokerage
instead.credit:
Credit carddepository:
Depository accountloan:
Loan accountother:
Non-specified account typeSee the Account type schema for a full listing of account types and corresponding subtypes.
investment
, credit
, depository
, loan
, brokerage
, other
subtype
401a
, 401k
, 403B
, 457b
, 529
, brokerage
, cash isa
, crypto exchange
, education savings account
, ebt
, fixed annuity
, gic
, health reimbursement arrangement
, hsa
, isa
, ira
, lif
, life insurance
, lira
, lrif
, lrsp
, non-custodial wallet
, non-taxable brokerage account
, other
, other insurance
, other annuity
, prif
, rdsp
, resp
, rlif
, rrif
, pension
, profit sharing plan
, retirement
, roth
, roth 401k
, rrsp
, sep ira
, simple ira
, sipp
, stock plan
, thrift savings plan
, tfsa
, trust
, ugma
, utma
, variable annuity
, credit card
, paypal
, cd
, checking
, savings
, money market
, prepaid
, auto
, business
, commercial
, construction
, consumer
, home equity
, loan
, mortgage
, overdraft
, line of credit
, student
, cash management
, keogh
, mutual fund
, recurring
, rewards
, safe deposit
, sarsep
, payroll
, null
verification_status
pending_automatic_verification
: The Item is pending automatic verificationpending_manual_verification
: The Item is pending manual micro-deposit verification. Items remain in this state until the user successfully verifies the two amounts.automatically_verified
: The Item has successfully been automatically verified manually_verified
: The Item has successfully been manually verifiedverification_expired
: Plaid was unable to automatically verify the deposit within 7 calendar days and will no longer attempt to validate the Item. Users may retry by submitting their information again through Link.verification_failed
: The Item failed manual micro-deposit verification because the user exhausted all 3 verification attempts. Users may retry by submitting their information again through Link.automatically_verified
, pending_automatic_verification
, pending_manual_verification
, manually_verified
, verification_expired
, verification_failed
persistent_account_id
owners
owner
object, not in multiple owner objects within the array. In API versions 2018-05-22 and earlier, the owners
object is not returned, and instead identity information is returned in the top level identity
object. For more details, see Plaid API versioningnames
If an Item contains multiple accounts with different owner names, some institutions will report all names associated with the Item in each account's
names
array.phone_numbers
emails
addresses
data
city
region
state
.
Example: "NC"
street
"564 Main Street, APT 15"
postal_code
zip
.country
primary
true
, identifies the address as the primary address on an account.request_id
1{2 "account": {3 "account_id": "XMGPJy4q1gsQoKd5z9R3tK8kJ9EWL8SdkgKMq",4 "balances": {5 "available": 100,6 "current": 110,7 "iso_currency_code": "USD",8 "limit": null,9 "unofficial_currency_code": null10 },11 "mask": "0000",12 "name": "Plaid Checking",13 "official_name": "Plaid Gold Standard 0% Interest Checking",14 "owners": [15 {16 "addresses": [17 {18 "data": {19 "city": "Malakoff",20 "country": "US",21 "postal_code": "14236",22 "region": "NY",23 "street": "2992 Cameron Road"24 },25 "primary": true26 },27 {28 "data": {29 "city": "San Matias",30 "country": "US",31 "postal_code": "93405-2255",32 "region": "CA",33 "street": "2493 Leisure Lane"34 },35 "primary": false36 }37 ],38 "emails": [39 {40 "data": "accountholder0@example.com",41 "primary": true,42 "type": "primary"43 },44 {45 "data": "accountholder1@example.com",46 "primary": false,47 "type": "secondary"48 },49 {50 "data": "extraordinarily.long.email.username.123456@reallylonghostname.com",51 "primary": false,52 "type": "other"53 }54 ],55 "names": [56 "Alberta Bobbeth Charleson"57 ],58 "phone_numbers": [59 {60 "data": "1112223333",61 "primary": false,62 "type": "home"63 },64 {65 "data": "1112224444",66 "primary": false,67 "type": "work"68 },69 {70 "data": "1112225555",71 "primary": false,72 "type": "mobile1"73 }74 ]75 }76 ],77 "subtype": "checking",78 "type": "depository"79 },80 "request_id": "eOPkBl6t33veI2J"81}
Was this helpful?
/processor/identity/match
Retrieve identity match score
The /processor/identity/match
endpoint generates a match score, which indicates how well the provided identity data matches the identity information on file with the account holder's financial institution.
This request may take some time to complete if Identity was not specified as an initial product when creating the Item. This is because Plaid must communicate directly with the institution to retrieve the data.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
user
legal_name
phone_number
email_address
address
city
region
state
.
Example: "NC"
street
"564 Main Street, APT 15"
postal_code
zip
.country
1const request: ProcessorIdentityMatchRequest = {2 processor_token: processorToken,3};4const response = plaidClient.processorIdentityMatch(request);
Response fields and example
account
account_id
account_id
will be assigned to the account.The
account_id
can also change if the access_token
is deleted and the same credentials that were used to generate that access_token
are used to generate a new access_token
on a later date. In that case, the new account_id
will be different from the old account_id
.If an account with a specific
account_id
disappears instead of changing, the account is likely closed. Closed accounts are not returned by the Plaid API.Like all Plaid identifiers, the
account_id
is case sensitive.balances
/accounts/balance/get
.available
For
credit
-type accounts, the available
balance typically equals the limit
less the current
balance, less any pending outflows plus any pending inflows.For
depository
-type accounts, the available
balance typically equals the current
balance less any pending outflows plus any pending inflows. For depository
-type accounts, the available
balance does not include the overdraft limit.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the available
balance is the total cash available to withdraw as presented by the institution.Note that not all institutions calculate the
available
balance. In the event that available
balance is unavailable, Plaid will return an available
balance value of null
.Available balance may be cached and is not guaranteed to be up-to-date in realtime unless the value was returned by
/accounts/balance/get
.If
current
is null
this field is guaranteed not to be null
.double
current
For
credit
-type accounts, a positive balance indicates the amount owed; a negative amount indicates the lender owing the account holder.For
loan
-type accounts, the current balance is the principal remaining on the loan, except in the case of student loan accounts at Sallie Mae (ins_116944
). For Sallie Mae student loans, the account's balance includes both principal and any outstanding interest.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the current balance is the total value of assets as presented by the institution.Note that balance information may be cached unless the value was returned by
/accounts/balance/get
; if the Item is enabled for Transactions, the balance will be at least as recent as the most recent Transaction update. If you require realtime balance information, use the available
balance as provided by /accounts/balance/get
.When returned by
/accounts/balance/get
, this field may be null
. When this happens, available
is guaranteed not to be null
.double
limit
credit
-type accounts, this represents the credit limit.For
depository
-type accounts, this represents the pre-arranged overdraft limit, which is common for current (checking) accounts in Europe.In North America, this field is typically only available for
credit
-type accounts.double
iso_currency_code
unofficial_currency_code
is non-null.unofficial_currency _code
iso_currency_code
is non-null. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
unofficial_currency_code
s.last_updated_datetime
YYYY-MM-DDTHH:mm:ssZ
) indicating the last time that the balance for the given account has been updatedThis is currently only provided when the
min_last_updated_datetime
is passed when calling /accounts/balance/get
for ins_128026
(Capital One).date-time
mask
name
official_name
type
investment:
Investment account. In API versions 2018-05-22 and earlier, this type is called brokerage
instead.credit:
Credit carddepository:
Depository accountloan:
Loan accountother:
Non-specified account typeSee the Account type schema for a full listing of account types and corresponding subtypes.
investment
, credit
, depository
, loan
, brokerage
, other
subtype
401a
, 401k
, 403B
, 457b
, 529
, brokerage
, cash isa
, crypto exchange
, education savings account
, ebt
, fixed annuity
, gic
, health reimbursement arrangement
, hsa
, isa
, ira
, lif
, life insurance
, lira
, lrif
, lrsp
, non-custodial wallet
, non-taxable brokerage account
, other
, other insurance
, other annuity
, prif
, rdsp
, resp
, rlif
, rrif
, pension
, profit sharing plan
, retirement
, roth
, roth 401k
, rrsp
, sep ira
, simple ira
, sipp
, stock plan
, thrift savings plan
, tfsa
, trust
, ugma
, utma
, variable annuity
, credit card
, paypal
, cd
, checking
, savings
, money market
, prepaid
, auto
, business
, commercial
, construction
, consumer
, home equity
, loan
, mortgage
, overdraft
, line of credit
, student
, cash management
, keogh
, mutual fund
, recurring
, rewards
, safe deposit
, sarsep
, payroll
, null
verification_status
pending_automatic_verification
: The Item is pending automatic verificationpending_manual_verification
: The Item is pending manual micro-deposit verification. Items remain in this state until the user successfully verifies the two amounts.automatically_verified
: The Item has successfully been automatically verified manually_verified
: The Item has successfully been manually verifiedverification_expired
: Plaid was unable to automatically verify the deposit within 7 calendar days and will no longer attempt to validate the Item. Users may retry by submitting their information again through Link.verification_failed
: The Item failed manual micro-deposit verification because the user exhausted all 3 verification attempts. Users may retry by submitting their information again through Link.automatically_verified
, pending_automatic_verification
, pending_manual_verification
, manually_verified
, verification_expired
, verification_failed
persistent_account_id
legal_name
score
is_first_name_or_last _name_match
is_nickname_match
is_business_name _detected
true
if the name on either of the names that was matched for the score contained strings indicative of a business name, such as "CORP", "LLC", "INC", or "LTD". A true
result generally indicates the entity is a business. However, a false
result does not mean the entity is not a business, as some businesses do not use these strings in the names used for their financial institution accounts.phone_number
score
email_address
score
address
score
is_postal_code_match
request_id
1{2 "account": {3 "account_id": "BxBXxLj1m4HMXBm9WZZmCWVbPjX16EHwv99vp",4 "balances": {5 "available": 100,6 "current": 110,7 "iso_currency_code": "USD",8 "limit": null,9 "unofficial_currency_code": null10 },11 "mask": "0000",12 "name": "Plaid Checking",13 "official_name": "Plaid Gold Standard 0% Interest Checking",14 "legal_name": {15 "score": 90,16 "is_nickname_match": true,17 "is_first_name_or_last_name_match": true,18 "is_business_name_detected": false19 },20 "phone_number": {21 "score": 10022 },23 "email_address": {24 "score": 10025 },26 "address": {27 "score": 100,28 "is_postal_code_match": true29 },30 "subtype": "checking",31 "type": "depository"32 },33 "request_id": "3nARps6TOYtbACO"34}
Was this helpful?
/processor/signal/evaluate
Evaluate a planned ACH transaction
Use /processor/signal/evaluate
to evaluate a planned ACH transaction as a processor to get a return risk assessment (such as a risk score and risk tier) and additional risk signals.
In order to obtain a valid score for an ACH transaction, Plaid must have an access token for the account, and the Item must be healthy (receiving product updates) or have recently been in a healthy state. If the transaction does not meet eligibility requirements, an error will be returned corresponding to the underlying cause. If /processor/signal/evaluate
is called on the same transaction multiple times within a 24-hour period, cached results may be returned. For more information please refer to our error documentation on item errors and Link in Update Mode.
Note: This request may take some time to complete if Signal is being added to an existing Item. This is because Plaid must communicate directly with the institution when retrieving the data for the first time.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
client_transaction_id
1
36
amount
102.05
)double
user_present
true
if the end user is present while initiating the ACH transfer and the endpoint is being called; false
otherwise (for example, when the ACH transfer is scheduled and the end user is not present, or you call this endpoint after the ACH transfer but before submitting the Nacha file for ACH processing).client_user_id
client_user_id
.36
is_recurring
default_payment_method
SAME_DAY_ACH
: Same Day ACH by NACHA. The debit transaction is processed and settled on the same day
NEXT_DAY_ACH
: Next Day ACH settlement for debit transactions, offered by some payment processors
STANDARD_ACH
: standard ACH by NACHA
REAL_TIME_PAYMENTS
: real-time payments such as RTP and FedNow
DEBIT_CARD
: if the default payment is over debit card networks
MULTIPLE_PAYMENT_METHODS
: if there is no default debit rail or there are multiple payment methods
Possible values: SAME_DAY_ACH
, NEXT_DAY_ACH
, STANDARD_ACH
, REAL_TIME_PAYMENTS
, DEBIT_CARD
, MULTIPLE_PAYMENT_METHODS
user
name
prefix
given_name
middle_name
family_name
suffix
phone_number
email_address
device
ip_address
user_agent
1const eval_request = {2 processor_token: "processor-sandbox-71e02f71-0960-4a27-abd2-5631e04f2175",3 client_transaction_id: "txn12345",4 amount: 123.45,5 client_user_id: "user1234",6 user: {7 name: {8 prefix: "Ms.",9 given_name: "Jane",10 middle_name: "Leah",11 family_name: "Doe",12 suffix: "Jr.",13 },14 phone_number: "+14152223333",15 email_address: "jane.doe@example.com",16 address: {17 street: "2493 Leisure Lane",18 city: "San Matias",19 region: "CA",20 postal_code: "93405-2255",21 country: "US",22 },23 },24 device: {25 ip_address: "198.30.2.2",26 user_agent:"Mozilla/5.0 (iPhone; CPU iPhone OS 13_5_1 like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/13.1.1 Mobile/15E148 Safari/604.1",27 },28 user_present: true,29};3031try {32 const eval_response = await plaidClient.processorSignalEvaluate(eval_request);33 const core_attributes = eval_response.data.core_attributes;34 const scores = eval_response.data.scores;35} catch (error) {36 // handle error37}
Response fields and example
request_id
scores
customer_initiated _return_risk
score
1
99
risk_tier
In the
customer_initiated_return_risk
object, there are five risk tiers corresponding to the scores:
1: Predicted customer-initiated return incidence rate between 0.00% - 0.02%
2: Predicted customer-initiated return incidence rate between 0.02% - 0.05%
3: Predicted customer-initiated return incidence rate between 0.05% - 0.1%
4: Predicted customer-initiated return incidence rate between 0.1% - 0.5%
5: Predicted customer-initiated return incidence rate greater than 0.5%1
5
bank_initiated_return _risk
score
1
99
risk_tier
bank_initiated_return_risk
object, there are eight risk tiers corresponding to the scores:
1: Predicted bank-initiated return incidence rate between 0.0% - 0.5%
2: Predicted bank-initiated return incidence rate between 0.5% - 1.5%
3: Predicted bank-initiated return incidence rate between 1.5% - 3%
4: Predicted bank-initiated return incidence rate between 3% - 5%
5: Predicted bank-initiated return incidence rate between 5% - 10%
6: Predicted bank-initiated return incidence rate between 10% - 15%
7: Predicted bank-initiated return incidence rate between 15% and 50%
8: Predicted bank-initiated return incidence rate greater than 50%1
8
core_attributes
days_since_first_plaid_connection
: The number of days since the first time the Item was connected to an application via Plaid
plaid_connections_count_7d
: The number of times the Item has been connected to applications via Plaid over the past 7 days
plaid_connections_count_30d
: The number of times the Item has been connected to applications via Plaid over the past 30 days
total_plaid_connections_count
: The number of times the Item has been connected to applications via Plaid
is_savings_or_money_market_account
: Indicates whether the ACH transaction funding account is a savings/money market accountFor the full list and detailed documentation of core attributes available, or to request that core attributes not be returned, contact Sales or your Plaid account manager
warnings
warning_type
warning_code
ITEM_LOGIN_REQUIRED
warning, we recommend re-authenticating your user by implementing Link's update mode. This will guide your user to fix their credentials, allowing Plaid to start fetching data again for future Signal requests.warning_message
1{2 "scores": {3 "customer_initiated_return_risk": {4 "score": 9,5 "risk_tier": 16 },7 "bank_initiated_return_risk": {8 "score": 72,9 "risk_tier": 710 }11 },12 "core_attributes": {13 "days_since_first_plaid_connection": 510,14 "plaid_connections_count_7d": 6,15 "plaid_connections_count_30d": 7,16 "total_plaid_connections_count": 15,17 "is_savings_or_money_market_account": false18 },19 "warnings": [],20 "request_id": "mdqfuVxeoza6mhu"21}
Was this helpful?
/processor/signal/decision/report
Report whether you initiated an ACH transaction
After calling /processor/signal/evaluate
, call /processor/signal/decision/report
to report whether the transaction was initiated. This endpoint will return an INVALID_FIELD
error if called a second time with a different value for initiated
.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
client_transaction_id
client_transaction_id
supplied when calling /signal/evaluate
1
36
initiated
true
if the ACH transaction was initiated, false
otherwise.This field must be returned as a boolean. If formatted incorrectly, this will result in an
INVALID_FIELD
error.days_funds_on_hold
For example, use 0 if you make funds available to your customers instantly or the same day following the debit transaction, or 1 if you make funds available the next day following the debit initialization.
0
decision_outcome
APPROVE
: approve the transaction without requiring further actions from your customers. For example, use this field if you are placing a standard hold for all the approved transactions before making funds available to your customers. You should also use this field if you decide to accelerate the fund availability for your customers.REVIEW
: the transaction requires manual reviewREJECT
: reject the transactionTAKE_OTHER_RISK_MEASURES
: for example, placing a longer hold on funds than those approved transactions or introducing customer frictions such as step-up verification/authenticationNOT_EVALUATED
: if only logging the Signal results without using themPossible values:
APPROVE
, REVIEW
, REJECT
, TAKE_OTHER_RISK_MEASURES
, NOT_EVALUATED
APPROVE
, REVIEW
, REJECT
, TAKE_OTHER_RISK_MEASURES
, NOT_EVALUATED
payment_method
SAME_DAY_ACH
: Same Day ACH by NACHA. The debit transaction is processed and settled on the same dayNEXT_DAY_ACH
: Next Day ACH settlement for debit transactions, offered by some payment processorsSTANDARD_ACH
: standard ACH by NACHAREAL_TIME_PAYMENTS
: real-time payments such as RTP and FedNowDEBIT_CARD
: if the default payment is over debit card networksMULTIPLE_PAYMENT_METHODS
: if there is no default debit rail or there are multiple payment methodsPossible values:
SAME_DAY_ACH
, NEXT_DAY_ACH
, STANDARD_ACH
, REAL_TIME_PAYMENTS
, DEBIT_CARD
, MULTIPLE_PAYMENT_METHODS
SAME_DAY_ACH
, NEXT_DAY_ACH
, STANDARD_ACH
, REAL_TIME_PAYMENTS
, DEBIT_CARD
, MULTIPLE_PAYMENT_METHODS
amount_instantly _available
double
1const decision_report_request = {2 processor_token: "processor-sandbox-71e02f71-0960-4a27-abd2-5631e04f2175",3 client_transaction_id: "txn12345",4 initiated: true,5 days_funds_on_hold: 3,6};78try {9 const decision_report_response = await plaidClient.processorSignalDecisionReport(decision_report_request);10 const decision_request_id = decision_report_response.data.request_id;11} catch (error) {12 // handle error13}
Response fields and example
request_id
1{2 "request_id": "mdqfuVxeoza6mhu"3}
Was this helpful?
/processor/signal/return/report
Report a return for an ACH transaction
Call the /processor/signal/return/report
endpoint to report a returned transaction that was previously sent to the /processor/signal/evaluate
endpoint. Your feedback will be used by the model to incorporate the latest risk trend in your portfolio.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.processor_token
processor-<environment>-<identifier>
client_transaction_id
client_transaction_id
supplied when calling /processor/signal/evaluate
1
36
return_code
If formatted incorrectly, this will result in an
INVALID_FIELD
error.returned_at
YYYY-MM-DDTHH:mm:ssZ
).date-time
1const return_report_request = {2 processor_token: "processor-sandbox-71e02f71-0960-4a27-abd2-5631e04f2175"3 client_transaction_id: "txn12345",4 return_code: "R01",5};67try {8 const return_report_response = await plaidClient.processorSignalReturnReport(return_report_request);9 const request_id = return_report_response.data.request_id;10 console.log(request_id)11} catch (error) {12 // handle error13}
Response fields and example
request_id
1{2 "request_id": "mdqfuVxeoza6mhu"3}
Was this helpful?
/processor/transactions/sync
Get incremental transaction updates on an Item
This endpoint replaces /processor/transactions/get
and its associated webhooks for most common use-cases.
The /processor/transactions/sync
endpoint allows developers to subscribe to all transactions associated with an Item and get updates synchronously in a stream-like manner, using a cursor to track which updates have already been seen. /processor/transactions/sync
provides the same functionality as /processor/transactions/get
and can be used instead of /processor/transactions/get
to simplify the process of tracking transactions updates.
This endpoint provides user-authorized transaction data for credit
, depository
, and some loan-type accounts (only those with account subtype student
; coverage may be limited). For transaction history from investments
accounts, use /investments/transactions/get
instead.
Returned transactions data is grouped into three types of update, indicating whether the transaction was added, removed, or modified since the last call to the API.
In the first call to /processor/transactions/sync
for an Item, the endpoint will return all historical transactions data associated with that Item up until the time of the API call (as "adds"), which then generates a next_cursor
for that Item. In subsequent calls, send the next_cursor
to receive only the changes that have occurred since the previous call.
Due to the potentially large number of transactions associated with an Item, results are paginated. The has_more
field specifies if additional calls are necessary to fetch all available transaction updates. Call /processor/transactions/sync
with the new cursor, pulling all updates, until has_more
is false
.
When retrieving paginated updates, track both the next_cursor
from the latest response and the original cursor from the first call in which has_more
was true
; if a call to /processor/transactions/sync
fails when retrieving a paginated update, which can occur as a result of the TRANSACTIONS_SYNC_MUTATION_DURING_PAGINATION
error, the entire pagination request loop must be restarted beginning with the cursor for the first page of the update, rather than retrying only the single request that failed.
Whenever new or updated transaction data becomes available, /processor/transactions/sync
will provide these updates. Plaid typically checks for new data multiple times a day, but these checks may occur less frequently, such as once a day, depending on the institution. An Item's status.transactions.last_successful_update
field will show the timestamp of the most recent successful update. To force Plaid to check for new transactions, use the /processor/transactions/refresh
endpoint.
Note that for newly created Items, data may not be immediately available to /processor/transactions/sync
. Plaid begins preparing transactions data when the Item is created, but the process can take anywhere from a few seconds to several minutes to complete, depending on the number of transactions available.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.processor_token
processor-<environment>-<identifier>
secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.cursor
count
100
1
500
false
options
options
must not be null
.include_original _description
false
include_personal _finance_category
personal_finance_category
object in the response.All implementations are encouraged to use set this field to
true
and to use the personal_finance_category
instead of category
for more meaningful and accurate categorization.See the
taxonomy csv file
for a full list of personal finance categories.We’re also introducing Category Rules - a new beta endpoint that will enable you to change the
personal_finance_category
for a transaction based on your users’ needs. When rules are set, the selected category will override the Plaid provided category. To learn more, send a note to transactions-feedback@plaid.com.false
1// Provide a cursor from your database if you've previously2// received one for the Item. Leave null if this is your3// first sync call for this Item. The first request will4// return a cursor.5let cursor = database.getLatestCursorOrNull(itemId);67// New transaction updates since "cursor"8let added: Array<Transaction> = [];9let modified: Array<Transaction> = [];10// Removed transaction ids11let removed: Array<RemovedTransaction> = [];12let hasMore = true;1314// Iterate through each page of new transaction updates for item15while (hasMore) {16 const request: ProcessorTransactionsSyncRequest = {17 processor_token: processorToken,18 cursor: cursor,19 };20 const response = await client.processorTransactionsSync(request);21 const data = response.data;2223 // Add this page of results24 added = added.concat(data.added);25 modified = modified.concat(data.modified);26 removed = removed.concat(data.removed);2728 hasMore = data.has_more;2930 // Update cursor to the next cursor31 cursor = data.next_cursor;32}3334// Persist cursor and updated data35database.applyUpdates(itemId, added, modified, removed, cursor);
Response fields and example
added
cursor
ordered by ascending last modified time.account_id
amount
iso_currency_code
or unofficial_currency_code
. Positive values when money moves out of the account; negative values when money moves in. For example, debit card purchases are positive; credit card payments, direct deposits, and refunds are negative.double
iso_currency_code
null
if unofficial_currency_code
is non-null.unofficial_currency _code
null
if iso_currency_code
is non-null
. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
iso_currency_code
s.category
/categories/get
.All Transactions implementations are recommended to use the new
personal_finance_category
instead of category
. personal_finance_category
provides more meaningful categorization and greater accuracy.If the
transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.category_id
/categories/get
.All Transactions implementations are recommended to use the new
personal_finance_category
instead of category_id
, as it provides greater accuracy and more meaningful categorization.If the
transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.check_number
location
address
city
region
state
.postal_code
zip
.country
lat
double
lon
double
store_number
name
If the
transactions
object was returned by a Transactions endpoint such as /transactions/get
, this field will always appear. If the transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.merchant_name
name
field. This is typically a more human-readable version of the merchant counterparty in the transaction. For some bank transactions (such as checks or account transfers) where there is no meaningful merchant name, this value will be null
.original_description
/transactions/get
, this field is in beta and will be omitted unless the client is both enrolled in the closed beta program and has set options.include_original_description
to true
.payment_meta
null
.If the
transactions
object was returned by a Transactions endpoint such as /transactions/get
, the payment_meta
key will always appear, but no data elements are guaranteed. If the transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.reference_number
ppd_id
payee
by_order_of
null
if the transaction is not a wire transfer.payer
payment_method
payment_processor
reason
pending
true
, identifies the transaction as pending or unsettled. Pending transaction details (name, type, amount, category ID) may change before they are settled.pending_transaction_id
account_owner
transaction_id
transaction_id
is case sensitive.transaction_type
payment_channel
field, transaction_type
will be deprecated in the future.digital:
transactions that took place online.place:
transactions that were made at a physical location.special:
transactions that relate to banks, e.g. fees or deposits.unresolved:
transactions that do not fit into the other three types.digital
, place
, special
, unresolved
authorized_date
YYYY-MM-DD
).date
authorized_datetime
YYYY-MM-DDTHH:mm:ssZ
).This field is returned for select financial institutions and comes as provided by the institution. It may contain default time values (such as 00:00:00). This field is only populated in API version 2019-05-29 and later.
date-time
datetime
YYYY-MM-DDTHH:mm:ssZ
).This field is returned for select financial institutions and comes as provided by the institution. It may contain default time values (such as 00:00:00). This field is only populated in API version 2019-05-29 and later.
date-time
payment_channel
online:
transactions that took place online.in store:
transactions that were made at a physical location.other:
transactions that relate to banks, e.g. fees or deposits.This field replaces the
transaction_type
field.online
, in store
, other
personal_finance _category
See the
taxonomy csv file
for a full list of personal finance categories.transaction_code
This field is only populated for European institutions. For institutions in the US and Canada, this field is set to
null
.adjustment:
Bank adjustmentatm:
Cash deposit or withdrawal via an automated teller machinebank charge:
Charge or fee levied by the institutionbill payment
: Payment of a billcash:
Cash deposit or withdrawalcashback:
Cash withdrawal while making a debit card purchasecheque:
Document ordering the payment of money to another person or organizationdirect debit:
Automatic withdrawal of funds initiated by a third party at a regular intervalinterest:
Interest earned or incurredpurchase:
Purchase made with a debit or credit cardstanding order:
Payment instructed by the account holder to a third party at a regular intervaltransfer:
Transfer of money between accountsadjustment
, atm
, bank charge
, bill payment
, cash
, cashback
, cheque
, direct debit
, interest
, purchase
, standing order
, transfer
, null
modified
cursor
ordered by ascending last modified time.account_id
amount
iso_currency_code
or unofficial_currency_code
. Positive values when money moves out of the account; negative values when money moves in. For example, debit card purchases are positive; credit card payments, direct deposits, and refunds are negative.double
iso_currency_code
null
if unofficial_currency_code
is non-null.unofficial_currency _code
null
if iso_currency_code
is non-null
. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
iso_currency_code
s.category
/categories/get
.All Transactions implementations are recommended to use the new
personal_finance_category
instead of category
. personal_finance_category
provides more meaningful categorization and greater accuracy.If the
transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.category_id
/categories/get
.All Transactions implementations are recommended to use the new
personal_finance_category
instead of category_id
, as it provides greater accuracy and more meaningful categorization.If the
transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.check_number
location
address
city
region
state
.postal_code
zip
.country
lat
double
lon
double
store_number
name
If the
transactions
object was returned by a Transactions endpoint such as /transactions/get
, this field will always appear. If the transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.merchant_name
name
field. This is typically a more human-readable version of the merchant counterparty in the transaction. For some bank transactions (such as checks or account transfers) where there is no meaningful merchant name, this value will be null
.original_description
/transactions/get
, this field is in beta and will be omitted unless the client is both enrolled in the closed beta program and has set options.include_original_description
to true
.payment_meta
null
.If the
transactions
object was returned by a Transactions endpoint such as /transactions/get
, the payment_meta
key will always appear, but no data elements are guaranteed. If the transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.reference_number
ppd_id
payee
by_order_of
null
if the transaction is not a wire transfer.payer
payment_method
payment_processor
reason
pending
true
, identifies the transaction as pending or unsettled. Pending transaction details (name, type, amount, category ID) may change before they are settled.pending_transaction_id
account_owner
transaction_id
transaction_id
is case sensitive.transaction_type
payment_channel
field, transaction_type
will be deprecated in the future.digital:
transactions that took place online.place:
transactions that were made at a physical location.special:
transactions that relate to banks, e.g. fees or deposits.unresolved:
transactions that do not fit into the other three types.digital
, place
, special
, unresolved
authorized_date
YYYY-MM-DD
).date
authorized_datetime
YYYY-MM-DDTHH:mm:ssZ
).This field is returned for select financial institutions and comes as provided by the institution. It may contain default time values (such as 00:00:00). This field is only populated in API version 2019-05-29 and later.
date-time
datetime
YYYY-MM-DDTHH:mm:ssZ
).This field is returned for select financial institutions and comes as provided by the institution. It may contain default time values (such as 00:00:00). This field is only populated in API version 2019-05-29 and later.
date-time
payment_channel
online:
transactions that took place online.in store:
transactions that were made at a physical location.other:
transactions that relate to banks, e.g. fees or deposits.This field replaces the
transaction_type
field.online
, in store
, other
personal_finance _category
See the
taxonomy csv file
for a full list of personal finance categories.transaction_code
This field is only populated for European institutions. For institutions in the US and Canada, this field is set to
null
.adjustment:
Bank adjustmentatm:
Cash deposit or withdrawal via an automated teller machinebank charge:
Charge or fee levied by the institutionbill payment
: Payment of a billcash:
Cash deposit or withdrawalcashback:
Cash withdrawal while making a debit card purchasecheque:
Document ordering the payment of money to another person or organizationdirect debit:
Automatic withdrawal of funds initiated by a third party at a regular intervalinterest:
Interest earned or incurredpurchase:
Purchase made with a debit or credit cardstanding order:
Payment instructed by the account holder to a third party at a regular intervaltransfer:
Transfer of money between accountsadjustment
, atm
, bank charge
, bill payment
, cash
, cashback
, cheque
, direct debit
, interest
, purchase
, standing order
, transfer
, null
removed
cursor
ordered by ascending last modified time.transaction_id
next_cursor
has_more
being false
) will be valid for at least 1 year. This cursor should be persisted for later calls. If transactions are not yet available, this will be an empty string.has_more
cursor
set to next_cursor
. If has_more
is true, it’s important to pull all available pages, to make it less likely for underlying data changes to conflict with pagination.request_id
1{2 "added": [3 {4 "account_id": "BxBXxLj1m4HMXBm9WZZmCWVbPjX16EHwv99vp",5 "amount": 2307.21,6 "iso_currency_code": "USD",7 "unofficial_currency_code": null,8 "category": [9 "Shops",10 "Computers and Electronics"11 ],12 "category_id": "19013000",13 "check_number": null,14 "date": "2022-02-03",15 "datetime": "2022-02-03T11:00:00Z",16 "authorized_date": "2022-02-03",17 "authorized_datetime": "2022-02-03T10:34:50Z",18 "location": {19 "address": "300 Post St",20 "city": "San Francisco",21 "region": "CA",22 "postal_code": "94108",23 "country": "US",24 "lat": 40.740352,25 "lon": -74.001761,26 "store_number": "1235"27 },28 "name": "Apple Store",29 "merchant_name": "Apple",30 "payment_meta": {31 "by_order_of": null,32 "payee": null,33 "payer": null,34 "payment_method": null,35 "payment_processor": null,36 "ppd_id": null,37 "reason": null,38 "reference_number": null39 },40 "payment_channel": "in store",41 "pending": false,42 "personal_finance_category": {43 "detailed": "GENERAL_MERCHANDISE_ELECTRONICS",44 "primary": "GENERAL_MERCHANDISE"45 },46 "pending_transaction_id": null,47 "account_owner": null,48 "transaction_id": "lPNjeW1nR6CDn5okmGQ6hEpMo4lLNoSrzqDje",49 "transaction_code": null50 }51 ],52 "modified": [53 {54 "account_id": "BxBXxLj1m4HMXBm9WZZmCWVbPjX16EHwv99vp",55 "amount": 98.05,56 "iso_currency_code": "USD",57 "unofficial_currency_code": null,58 "category": [59 "Service",60 "Utilities",61 "Electric"62 ],63 "category_id": "18068005",64 "check_number": null,65 "date": "2022-02-28",66 "datetime": "2022-02-28T11:00:00Z",67 "authorized_date": "2022-02-28",68 "authorized_datetime": "2022-02-28T10:34:50Z",69 "location": {70 "address": null,71 "city": null,72 "region": null,73 "postal_code": null,74 "country": null,75 "lat": null,76 "lon": null,77 "store_number": null78 },79 "name": "ConEd Bill Payment",80 "merchant_name": "ConEd",81 "payment_meta": {82 "by_order_of": null,83 "payee": null,84 "payer": null,85 "payment_method": null,86 "payment_processor": null,87 "ppd_id": null,88 "reason": null,89 "reference_number": null90 },91 "payment_channel": "online",92 "pending": false,93 "pending_transaction_id": null,94 "personal_finance_category": {95 "detailed": "RENT_AND_UTILITIES_GAS_AND_ELECTRICITY",96 "primary": "RENT_AND_UTILITIES"97 },98 "account_owner": null,99 "transaction_id": "yhnUVvtcGGcCKU0bcz8PDQr5ZUxUXebUvbKC0",100 "transaction_code": null101 }102 ],103 "removed": [104 {105 "transaction_id": "CmdQTNgems8BT1B7ibkoUXVPyAeehT3Tmzk0l"106 }107 ],108 "next_cursor": "tVUUL15lYQN5rBnfDIc1I8xudpGdIlw9nsgeXWvhOfkECvUeR663i3Dt1uf/94S8ASkitgLcIiOSqNwzzp+bh89kirazha5vuZHBb2ZA5NtCDkkV",109 "has_more": false,110 "request_id": "45QSn"111}
Was this helpful?
/processor/transactions/get
Get transaction data
The /processor/transactions/get
endpoint allows developers to receive user-authorized transaction data for credit, depository, and some loan-type accounts (only those with account subtype student
; coverage may be limited). Transaction data is standardized across financial institutions, and in many cases transactions are linked to a clean name, entity type, location, and category. Similarly, account data is standardized and returned with a clean name, number, balance, and other meta information where available.
Transactions are returned in reverse-chronological order, and the sequence of transaction ordering is stable and will not shift. Transactions are not immutable and can also be removed altogether by the institution; a removed transaction will no longer appear in /processor/transactions/get
. For more details, see Pending and posted transactions.
Due to the potentially large number of transactions associated with an Item, results are paginated. Manipulate the count
and offset
parameters in conjunction with the total_transactions
response body field to fetch all available transactions.
Data returned by /processor/transactions/get
will be the data available for the Item as of the most recent successful check for new transactions. Plaid typically checks for new data multiple times a day, but these checks may occur less frequently, such as once a day, depending on the institution. An Item's status.transactions.last_successful_update
field will show the timestamp of the most recent successful update. To force Plaid to check for new transactions, you can use the /processor/transactions/refresh
endpoint.
Note that data may not be immediately available to /processor/transactions/get
. Plaid will begin to prepare transactions data upon Item link, if Link was initialized with transactions
, or upon the first call to /processor/transactions/get
, if it wasn't. If no transaction history is ready when /processor/transactions/get
is called, it will return a PRODUCT_NOT_READY
error.
Request fields and example
client_id
client_id
. The client_id
is required and may be provided either in the PLAID-CLIENT-ID
header or as part of a request body.options
options
must not be null
.account_ids
account_ids
to retrieve for the ItemNote: An error will be returned if a provided
account_id
is not associated with the Item.count
100
1
500
false
offset
0
0
include_original _description
false
include_personal _finance_category
personal_finance_category
object in the response. All implementations are encouraged to set this field to
true
and use the personal_finance_category
instead of category
. Personal finance categories are the preferred categorization system for transactions, providing higher accuracy and more meaningful categories. See the
taxonomy csv file
for a full list of personal finance categories.Plaid is also introducing Category Rules - a new endpoint that will enable you to change the
personal_finance_category
for a transaction based on your users’ needs. When rules are set, the selected category will override the Plaid provided category. To learn more, send a note to transactions-feedback@plaid.com.false
processor_token
processor-<environment>-<identifier>
secret
secret
. The secret
is required and may be provided either in the PLAID-SECRET
header or as part of a request body.start_date
date
end_date
date
1const request: ProcessorTransactionsGetRequest = {2 processor_token: processorToken,3 start_date: '2018-01-01',4 end_date: '2020-02-01'5};6try {7 const response = await client.processorTransactionsGet(request);8 let transactions = response.data.transactions;9 const total_transactions = response.data.total_transactions;10 // Manipulate the offset parameter to paginate11 // transactions and retrieve all available data12 while (transactions.length < total_transactions) {13 const paginatedRequest: ProcessorTransactionsGetRequest = {14 processor_token: processorToken,15 start_date: '2018-01-01',16 end_date: '2020-02-01',17 options: {18 offset: transactions.length,19 },20 };21 const paginatedResponse = await client.processorTransactionsGet(paginatedRequest);22 transactions = transactions.concat(23 paginatedResponse.data.transactions,24 );25 }26} catch((err) => {27 // handle error28}
Response fields and example
accounts
accounts
associated with the Item for which transactions are being returned. Each transaction can be mapped to its corresponding account via the account_id
field.account_id
account_id
will be assigned to the account.The
account_id
can also change if the access_token
is deleted and the same credentials that were used to generate that access_token
are used to generate a new access_token
on a later date. In that case, the new account_id
will be different from the old account_id
.If an account with a specific
account_id
disappears instead of changing, the account is likely closed. Closed accounts are not returned by the Plaid API.Like all Plaid identifiers, the
account_id
is case sensitive.balances
/accounts/balance/get
.available
For
credit
-type accounts, the available
balance typically equals the limit
less the current
balance, less any pending outflows plus any pending inflows.For
depository
-type accounts, the available
balance typically equals the current
balance less any pending outflows plus any pending inflows. For depository
-type accounts, the available
balance does not include the overdraft limit.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the available
balance is the total cash available to withdraw as presented by the institution.Note that not all institutions calculate the
available
balance. In the event that available
balance is unavailable, Plaid will return an available
balance value of null
.Available balance may be cached and is not guaranteed to be up-to-date in realtime unless the value was returned by
/accounts/balance/get
.If
current
is null
this field is guaranteed not to be null
.double
current
For
credit
-type accounts, a positive balance indicates the amount owed; a negative amount indicates the lender owing the account holder.For
loan
-type accounts, the current balance is the principal remaining on the loan, except in the case of student loan accounts at Sallie Mae (ins_116944
). For Sallie Mae student loans, the account's balance includes both principal and any outstanding interest.For
investment
-type accounts (or brokerage
-type accounts for API versions 2018-05-22 and earlier), the current balance is the total value of assets as presented by the institution.Note that balance information may be cached unless the value was returned by
/accounts/balance/get
; if the Item is enabled for Transactions, the balance will be at least as recent as the most recent Transaction update. If you require realtime balance information, use the available
balance as provided by /accounts/balance/get
.When returned by
/accounts/balance/get
, this field may be null
. When this happens, available
is guaranteed not to be null
.double
limit
credit
-type accounts, this represents the credit limit.For
depository
-type accounts, this represents the pre-arranged overdraft limit, which is common for current (checking) accounts in Europe.In North America, this field is typically only available for
credit
-type accounts.double
iso_currency_code
unofficial_currency_code
is non-null.unofficial_currency _code
iso_currency_code
is non-null. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
unofficial_currency_code
s.last_updated_datetime
YYYY-MM-DDTHH:mm:ssZ
) indicating the last time that the balance for the given account has been updatedThis is currently only provided when the
min_last_updated_datetime
is passed when calling /accounts/balance/get
for ins_128026
(Capital One).date-time
mask
name
official_name
type
investment:
Investment account. In API versions 2018-05-22 and earlier, this type is called brokerage
instead.credit:
Credit carddepository:
Depository accountloan:
Loan accountother:
Non-specified account typeSee the Account type schema for a full listing of account types and corresponding subtypes.
investment
, credit
, depository
, loan
, brokerage
, other
subtype
401a
, 401k
, 403B
, 457b
, 529
, brokerage
, cash isa
, crypto exchange
, education savings account
, ebt
, fixed annuity
, gic
, health reimbursement arrangement
, hsa
, isa
, ira
, lif
, life insurance
, lira
, lrif
, lrsp
, non-custodial wallet
, non-taxable brokerage account
, other
, other insurance
, other annuity
, prif
, rdsp
, resp
, rlif
, rrif
, pension
, profit sharing plan
, retirement
, roth
, roth 401k
, rrsp
, sep ira
, simple ira
, sipp
, stock plan
, thrift savings plan
, tfsa
, trust
, ugma
, utma
, variable annuity
, credit card
, paypal
, cd
, checking
, savings
, money market
, prepaid
, auto
, business
, commercial
, construction
, consumer
, home equity
, loan
, mortgage
, overdraft
, line of credit
, student
, cash management
, keogh
, mutual fund
, recurring
, rewards
, safe deposit
, sarsep
, payroll
, null
verification_status
pending_automatic_verification
: The Item is pending automatic verificationpending_manual_verification
: The Item is pending manual micro-deposit verification. Items remain in this state until the user successfully verifies the two amounts.automatically_verified
: The Item has successfully been automatically verified manually_verified
: The Item has successfully been manually verifiedverification_expired
: Plaid was unable to automatically verify the deposit within 7 calendar days and will no longer attempt to validate the Item. Users may retry by submitting their information again through Link.verification_failed
: The Item failed manual micro-deposit verification because the user exhausted all 3 verification attempts. Users may retry by submitting their information again through Link.automatically_verified
, pending_automatic_verification
, pending_manual_verification
, manually_verified
, verification_expired
, verification_failed
persistent_account_id
transactions
count
parameter.account_id
amount
iso_currency_code
or unofficial_currency_code
. Positive values when money moves out of the account; negative values when money moves in. For example, debit card purchases are positive; credit card payments, direct deposits, and refunds are negative.double
iso_currency_code
null
if unofficial_currency_code
is non-null.unofficial_currency _code
null
if iso_currency_code
is non-null
. Unofficial currency codes are used for currencies that do not have official ISO currency codes, such as cryptocurrencies and the currencies of certain countries.See the currency code schema for a full listing of supported
iso_currency_code
s.category
/categories/get
.All Transactions implementations are recommended to use the new
personal_finance_category
instead of category
. personal_finance_category
provides more meaningful categorization and greater accuracy.If the
transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.category_id
/categories/get
.All Transactions implementations are recommended to use the new
personal_finance_category
instead of category_id
, as it provides greater accuracy and more meaningful categorization.If the
transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.check_number
location
address
city
region
state
.postal_code
zip
.country
lat
double
lon
double
store_number
name
If the
transactions
object was returned by a Transactions endpoint such as /transactions/get
, this field will always appear. If the transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.merchant_name
name
field. This is typically a more human-readable version of the merchant counterparty in the transaction. For some bank transactions (such as checks or account transfers) where there is no meaningful merchant name, this value will be null
.original_description
/transactions/get
, this field is in beta and will be omitted unless the client is both enrolled in the closed beta program and has set options.include_original_description
to true
.payment_meta
null
.If the
transactions
object was returned by a Transactions endpoint such as /transactions/get
, the payment_meta
key will always appear, but no data elements are guaranteed. If the transactions
object was returned by an Assets endpoint such as /asset_report/get/
or /asset_report/pdf/get
, this field will only appear in an Asset Report with Insights.reference_number
ppd_id
payee
by_order_of
null
if the transaction is not a wire transfer.payer
payment_method
payment_processor
reason
pending
true
, identifies the transaction as pending or unsettled. Pending transaction details (name, type, amount, category ID) may change before they are settled.pending_transaction_id
account_owner
transaction_id
transaction_id
is case sensitive.transaction_type
payment_channel
field, transaction_type
will be deprecated in the future.digital:
transactions that took place online.place:
transactions that were made at a physical location.special:
transactions that relate to banks, e.g. fees or deposits.unresolved:
transactions that do not fit into the other three types.digital
, place
, special
, unresolved
authorized_date
YYYY-MM-DD
).date
authorized_datetime
YYYY-MM-DDTHH:mm:ssZ
).This field is returned for select financial institutions and comes as provided by the institution. It may contain default time values (such as 00:00:00). This field is only populated in API version 2019-05-29 and later.
date-time
datetime
YYYY-MM-DDTHH:mm:ssZ
).This field is returned for select financial institutions and comes as provided by the institution. It may contain default time values (such as 00:00:00). This field is only populated in API version 2019-05-29 and later.
date-time
payment_channel
online:
transactions that took place online.in store:
transactions that were made at a physical location.other:
transactions that relate to banks, e.g. fees or deposits.This field replaces the
transaction_type
field.online
, in store
, other
personal_finance _category
See the
taxonomy csv file
for a full list of personal finance categories.transaction_code
This field is only populated for European institutions. For institutions in the US and Canada, this field is set to
null
.adjustment:
Bank adjustmentatm:
Cash deposit or withdrawal via an automated teller machinebank charge:
Charge or fee levied by the institutionbill payment
: Payment of a billcash:
Cash deposit or withdrawalcashback:
Cash withdrawal while making a debit card purchasecheque:
Document ordering the payment of money to another person or organizationdirect debit:
Automatic withdrawal of funds initiated by a third party at a regular intervalinterest:
Interest earned or incurredpurchase:
Purchase made with a debit or credit cardstanding order:
Payment instructed by the account holder to a third party at a regular intervaltransfer:
Transfer of money between accountsadjustment
, atm
, bank charge
, bill payment
, cash
, cashback
, cheque
, direct debit
, interest
, purchase
, standing order
, transfer
, null
total_transactions
total_transactions
is larger than the size of the transactions
array, more transactions are available and can be fetched via manipulating the offset
parameter.item
item_id
item_id
is always unique; linking the same account at the same institution twice will result in two Items with different item_id
values. Like all Plaid identifiers, the item_id
is case-sensitive.institution_id
null
for Items created via Same Day Micro-deposits.webhook
error
error_type
. In general, 200 HTTP codes correspond to success, 40X codes are for developer- or user-related failures, and 50X codes are for Plaid-related issues. An Item with a non-null
error object will only be part of an API response when calling /item/get
to view Item status. Otherwise, error fields will be null
if no error has occurred; if an error has occurred, an error code will be returned instead.error_type
INVALID_REQUEST
, INVALID_RESULT
, INVALID_INPUT
, INSTITUTION_ERROR
, RATE_LIMIT_EXCEEDED
, API_ERROR
, ITEM_ERROR
, ASSET_REPORT_ERROR
, RECAPTCHA_ERROR
, OAUTH_ERROR
, PAYMENT_ERROR
, BANK_TRANSFER_ERROR
, INCOME_VERIFICATION_ERROR
, MICRODEPOSITS_ERROR
error_code
error_message
display_message
null
if the error is not related to user action.This may change over time and is not safe for programmatic use.
request_id
causes
causes
will return an array of errors containing a breakdown of these errors on the individual Item level, if any can be identified.causes
will only be provided for the error_type
ASSET_REPORT_ERROR
. causes
will also not be populated inside an error nested within a warning
object.status
documentation_url
suggested_action
available_products
billed_products
.assets
, auth
, balance
, identity
, investments
, liabilities
, payment_initiation
, identity_verification
, transactions
, credit_details
, income
, income_verification
, deposit_switch
, standing_orders
, transfer
, employment
, recurring_transactions
, signal
billed_products
available_products
. Note - billed_products
is populated in all environments but only requests in Production are billed. Also note that products that are billed on a pay-per-call basis rather than a pay-per-Item basis, such as balance
, will not appear here.assets
, auth
, balance
, identity
, investments
, liabilities
, payment_initiation
, identity_verification
, transactions
, credit_details
, income
, income_verification
, deposit_switch
, standing_orders
, transfer
, employment
, recurring_transactions
, signal
products
assets
, auth
, balance
, identity
, investments
, liabilities
, payment_initiation
, identity_verification
, transactions
, credit_details
, income
, income_verification
, deposit_switch
, standing_orders
, transfer
, employment
, recurring_transactions
, signal
consented_products
assets
, auth
, balance
, identity
, investments
, liabilities
, payment_initiation
, identity_verification
, transactions
, credit_details
, income
, income_verification
, deposit_switch
, standing_orders
, transfer
, employment
, recurring_transactions
, signal
consent_expiration _time
ITEM_LOGIN_REQUIRED
error state. To circumvent the ITEM_LOGIN_REQUIRED
error and maintain continuous consent, the end user can reauthenticate via Link’s update mode in advance of the consent expiration time.Note - This is only relevant for certain OAuth-based institutions. For all other institutions, this field will be null.
date-time
update_type
background
- Item can be updated in the backgrounduser_present_required
- Item requires user interaction to be updatedbackground
, user_present_required
request_id
1{2 "accounts": [3 {4 "account_id": "BxBXxLj1m4HMXBm9WZZmCWVbPjX16EHwv99vp",5 "balances": {6 "available": 110,7 "current": 110,8 "iso_currency_code": "USD",9 "limit": null,10 "unofficial_currency_code": null11 },12 "mask": "0000",13 "name": "Plaid Checking",14 "official_name": "Plaid Gold Standard 0% Interest Checking",