{"info":{"_postman_id":"9989b5a7-533a-4fe1-80fd-6a72f2f901d9","name":"FV Merchant APIs (Revamped)","description":"<html><head></head><body><p>Welcome to FV Merchant APIs.</p>\n<p>These APIs enable merchants and platforms to manage beneficiaries, configure payment methods, and send payments programmatically.</p>\n<p>The API is designed around common financial workflows such as sending money, tracking transactions, and managing recipients. Instead of interacting with isolated endpoints, developers are encouraged to follow use-case-based flows for faster and more reliable integration.</p>\n<p>To get started, authenticate your requests and follow the step-by-step guides under “Use Cases”.</p>\n</body></html>","schema":"https://schema.getpostman.com/json/collection/v2.0.0/collection.json","toc":[],"owner":"19084463","collectionId":"9989b5a7-533a-4fe1-80fd-6a72f2f901d9","publishedId":"2sBXqFLgno","public":true,"customColor":{"top-bar":"FFFFFF","right-sidebar":"303030","highlight":"FF6C37"},"publishDate":"2026-04-21T08:09:18.000Z"},"item":[{"name":"🚀 Getting Started","item":[{"name":"Authentication","item":[],"id":"0b28b4ba-8622-457f-adf2-ed678010a85b","description":"<p>FV Merchant APIs use a secure JWT-based authentication mechanism.</p>\n<p>To access the APIs, you must first generate a SessionToken. This is done using a two-step process:</p>\n<p>Step 1: Generate JWT<br />Create a signed JWT using your ClientID and ClientSecret. This token is short-lived and is used only to authenticate with the /auth endpoint.</p>\n<p>Example (Node.js):</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const jwt = require('jsonwebtoken');\nconst clientID = \"your_client_id\";\nconst clientSecret = \"your_client_secret\";\nconst payload = {\n  ClientID: clientID,\n  iat: Math.floor(Date.now() / 1000),\n  exp: Math.floor(Date.now() / 1000) + (60 * 5) // expires in 5 minutes\n};\nconst token = jwt.sign(payload, clientSecret);\nconsole.log(\"Generated JWT:\", token);\n\n</code></pre>\n<p>Step 2: Get Session Token<br />Send the generated JWT in the X-AUTH-TOKEN header to the /auth endpoint. A SessionToken will be returned in the response.  </p>\n<p>🔑 Get Session Token (Node.js)</p>\n<p>Use your pre-generated JWT to authenticate with the <code>/auth</code> endpoint and receive a SessionToken.</p>\n<p><strong>Notes:</strong></p>\n<ul>\n<li><p>Pass the JWT in the <code>X-AUTH-TOKEN</code> header</p>\n</li>\n<li><p>The response will contain a <strong>SessionToken</strong></p>\n</li>\n<li><p>Use the SessionToken for all subsequent API requests</p>\n</li>\n</ul>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\n// 🔐 Your pre-generated JWT\nconst JWT_TOKEN = 'your_generated_jwt_token_here';\n// 🌐 Base URL\nconst BASE_URL = 'https://sandbox.merchant.fvbank.us/v2';\nasync function getSessionToken() {\n  try {\n    const response = await axios.get(\n      `${BASE_URL}/auth`,\n      {\n        headers: {\n          'Content-Type': 'application/json',\n          'X-AUTH-TOKEN': JWT_TOKEN\n        }\n      }\n    );\n    console.log('Session Token Response:', response.data);\n    return response.data;\n  } catch (error) {\n    console.error(\n      'Error:',\n      error.response?.data || error.message\n    );\n  }\n}\ngetSessionToken();\n\n</code></pre>\n<p>Step 3: Use Session Token<br />Include the SessionToken in the X-AUTH-TOKEN header for all subsequent API requests.</p>\n<hr />\n<p><strong>Authentication Flow:</strong></p>\n<p>Client Credentials → Generate JWT → Call /auth → Receive SessionToken → Use SessionToken for API Calls</p>\n<hr />\n<p>Important Notes:</p>\n<ul>\n<li><p>JWT is short-lived (~5 minutes) and used only for authentication</p>\n</li>\n<li><p>SessionToken validity depends on the expiration (exp) defined in the JWT used during authentication.</p>\n</li>\n<li><p>A refreshed token may be returned in the <code>x-refresh-token</code> header</p>\n</li>\n<li><p>Always reuse SessionToken until it expires</p>\n</li>\n<li><p>Regenerate token if you receive authentication errors (401)</p>\n</li>\n<li><p><strong>Requests must originate from the same IP used during authentication</strong></p>\n</li>\n</ul>\n","_postman_id":"0b28b4ba-8622-457f-adf2-ed678010a85b"},{"name":"Make Your First API Call","item":[],"id":"dafa3247-6340-45df-95e3-6d6a34409343","description":"<h2 id=\"🚀-make-your-first-api-call\">🚀 Make Your First API Call</h2>\n<p>This example demonstrates how to make your first authenticated API call using the SessionToken. Before proceeding, ensure you have successfully generated a SessionToken using the Authentication step.</p>\n<hr />\n<h3 id=\"🔐-authentication\">🔐 Authentication</h3>\n<p>All API requests must include the Authorization in the request header:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">Authorization: &amp;#x27;Bearer &lt;SessionToken&gt;&amp;#x27;\n\n</code></pre>\n<hr />\n<h3 id=\"🔁-token-refresh-handling\">🔁 Token Refresh Handling</h3>\n<p>While making API calls, you may receive a refreshed token in the response header:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">x-refresh-token: &lt;new_session_token&gt;\n\n</code></pre>\n<p>This indicates that your current SessionToken is nearing expiration.</p>\n<p><strong>Recommended handling:</strong></p>\n<ul>\n<li><p>Replace the existing SessionToken with the new <code>x-refresh-token</code></p>\n</li>\n<li><p>Use the refreshed token for all subsequent API requests</p>\n</li>\n<li><p>This ensures uninterrupted API access without re-authentication</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚠️-best-practices\">⚠️ Best Practices</h3>\n<ul>\n<li><p>Always include <code>Authorization</code> header in every request</p>\n</li>\n<li><p>Do not reuse expired tokens</p>\n</li>\n<li><p>If a request fails with <code>401 Unauthorized</code>, regenerate the SessionToken via <code>/auth</code></p>\n</li>\n<li><p>Cache and reuse tokens until expiry to avoid unnecessary auth calls</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"▶️-example-get-account-balance\">▶️ Example: Get Account Balance</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">GET https://docs.apis.fvbank.us/v2/accounts/balance\n\n</code></pre>\n<p>Headers:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">X-AUTH-TOKEN: \n\n</code></pre>\n<hr />\n<h3 id=\"📥-example-response\">📥 Example Response</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  ResponseCode: 200,\n  ResponseMessage: 'Success',\n  ResponseData: [\n    {\n      Balance: '23997.98',\n      ReservedAmount: '0.00',\n      AvailableBalance: '23997.98',\n      Currency: 'USD',\n      Name: 'Account (USD)',\n      Id: '637403491'\n    },\n    {\n      Balance: '0.00000000',\n      ReservedAmount: '0.00000000',\n      AvailableBalance: '0.00000000',\n      Currency: 'BTC',\n      Name: 'Custody (BTC)',\n      Id: '240122737'\n    },\n    {\n      Balance: '0.00000000',\n      ReservedAmount: '0.00000000',\n      AvailableBalance: '0.00000000',\n      Currency: 'DOGE',\n      Name: 'Custody (DOGE)',\n      Id: '322781227'\n    },\n    {\n      Balance: '0.000000000',\n      ReservedAmount: '0.000000000',\n      AvailableBalance: '0.000000000',\n      Currency: 'DOT',\n      Name: 'Custody (DOT)',\n      Id: '255877064'\n    },\n    {\n      Balance: '0.000000000',\n      ReservedAmount: '0.000000000',\n      AvailableBalance: '0.000000000',\n      Currency: 'ETH',\n      Name: 'Custody (ETH)',\n      Id: '127822708'\n    },\n    {\n      Balance: '0.000000000',\n      ReservedAmount: '0.000000000',\n      AvailableBalance: '0.000000000',\n      Currency: 'MATIC',\n      Name: 'Custody (MATIC)',\n      Id: '226960488'\n    },\n    {\n      Balance: '0.000000',\n      ReservedAmount: '0.000000',\n      AvailableBalance: '0.000000',\n      Currency: 'USDC',\n      Name: 'Custody (USDC)',\n      Id: '554068538'\n    },\n    {\n      Balance: '0.000000',\n      ReservedAmount: '0.000000',\n      AvailableBalance: '0.000000',\n      Currency: 'USDT',\n      Name: 'Custody (USDT)',\n      Id: '685060867'\n    },\n    {\n      Balance: '5000.00',\n      ReservedAmount: '0.00',\n      AvailableBalance: '5000.00',\n      Currency: 'USD',\n      Name: 'Custody Account (USD)',\n      Id: '085281546'\n    },\n    {\n      Balance: '0.00',\n      ReservedAmount: '0.00',\n      AvailableBalance: '0.00',\n      Currency: 'USD',\n      Name: 'Custody Money Market Account (USD)',\n      Id: '827001647'\n    }\n  ]\n}\n\n</code></pre>\n<hr />\n<h3 id=\"💻-nodejs-example\">💻 Node.js Example</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token\";\nasync function getAccountBalance() {\n  try {\n    const response = await axios.get(`${baseUrl}/account/balance`, {\n      headers: {\n        \"Authorization\": `Bearer ${sessionToken}`,\n        \"Content-Type\": \"application/json\"\n      }\n    });\n    const data = response.data;\n    console.log(\"Account Balance:\", data);\n    // Optional: handle refresh token\n    const refreshToken = response.headers[\"x-refresh-token\"];\n    if (refreshToken) {\n      console.log(\"New Session Token:\", refreshToken);\n    }\n  } catch (error) {\n    console.error(\n      \"Error fetching account balance:\",\n      error.response?.data || error.message\n    );\n  }\n}\ngetAccountBalance();\n\n</code></pre>\n<hr />\n<h3 id=\"📌-whats-next\">📌 What’s Next</h3>\n<p>Once you are able to make authenticated API calls, you can:</p>\n<ul>\n<li><p>Create a Beneficiary</p>\n</li>\n<li><p>Add a Payment Method</p>\n</li>\n<li><p>Initiate a Payment</p>\n</li>\n<li><p>Track Transactions</p>\n</li>\n</ul>\n<p>Or follow the <strong>Send Money</strong> use case for a complete end-to-end flow.</p>\n","_postman_id":"dafa3247-6340-45df-95e3-6d6a34409343"}],"id":"d104869c-6b6b-4508-a6d5-470c141e8b10","description":"<p>Welcome to FV Merchant APIs.</p>\n<p>This guide will help you quickly get started with integrating our APIs to manage beneficiaries, configure payment methods, and initiate payments.</p>\n<p>All API requests are secured using a two-step authentication process:</p>\n<ol>\n<li><p>Generate a short-lived JWT using your ClientID and ClientSecret</p>\n</li>\n<li><p>Exchange the JWT for a SessionToken via the /auth endpoint</p>\n</li>\n</ol>\n<p>Once authenticated, the SessionToken must be included in all API requests.</p>\n<p>For a complete integration, follow these steps:</p>\n<ol>\n<li><p>Authenticate using your credentials</p>\n</li>\n<li><p>Create a beneficiary</p>\n</li>\n<li><p>Add a payment method</p>\n</li>\n<li><p>Initiate a payment</p>\n</li>\n<li><p>Track the transaction</p>\n</li>\n</ol>\n<p>Refer to the \"Use Cases\" section for step-by-step flows.</p>\n","_postman_id":"d104869c-6b6b-4508-a6d5-470c141e8b10"},{"name":"🧭 Use Cases","item":[{"name":"💳 Send Money","item":[],"id":"bb2a9e1f-b37f-4295-8dad-c493125ee447","description":"<h2 id=\"💳-send-bank-payments\">💳 Send Bank Payments</h2>\n<p>This use case demonstrates how to send a bank payment from your FV account to a beneficiary using <strong>Domestic ACH (USD)</strong>.</p>\n<p>The same flow can be used for other fiat payment types (e.g., Wire). Only the <code>Payment_Type</code> and related banking details need to be adjusted based on the payment method.</p>\n<hr />\n<h3 id=\"🔄-flow-overview\">🔄 Flow Overview</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code>Create Beneficiary → Add Payment Instrument → Upload File → Initiate Payment → Track Transaction\n\n</code></pre><hr />\n<h3 id=\"📊-data-flow-ids-across-steps\">📊 Data Flow (IDs Across Steps)</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code>BeneficiaryID → PaymentInstrumentID → FileId → TransactionID\n\n</code></pre><hr />\n<h3 id=\"✅-prerequisites\">✅ Prerequisites</h3>\n<ul>\n<li><p>A valid <code>SessionToken</code></p>\n</li>\n<li><p>Include the following header in all requests:</p>\n</li>\n</ul>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">X-AUTH-TOKEN: \n\n</code></pre>\n<ul>\n<li>(Optional but required for some payments) Upload a supporting document using the <strong>Files API</strong> to obtain a <code>FileId</code></li>\n</ul>\n<hr />\n<h3 id=\"create-beneficiary\">Create Beneficiary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">async function createBeneficiary() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/beneficiary/create`,\n      [\n        { \"field\": \"Beneficiary_Type\", \"value\": \"individual\" },\n        { \"field\": \"Beneficiary_Email\", \"value\": \"john.doe@example.com\" },\n        { \"field\": \"Beneficiary_Address\", \"value\": \"123 Main Street\" },\n        { \"field\": \"Beneficiary_City\", \"value\": \"New York\" },\n        { \"field\": \"Beneficiary_Postal_Code\", \"value\": \"10001\" },\n        { \"field\": \"Beneficiary_Country\", \"value\": \"US\" },\n        { \"field\": \"Beneficiary_State\", \"value\": \"NY\" },\n        { \"field\": \"Beneficiary_First_Name\", \"value\": \"John\" },\n        { \"field\": \"Beneficiary_Last_Name\", \"value\": \"Doe\" },\n        { \"field\": \"Beneficiary_DOB\", \"value\": \"1990-01-01\" }\n      ],\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(response.data);\n  } catch (error) {\n    console.error(\n      \"Error:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateBeneficiary();\n\n</code></pre>\n<p><strong>Response:</strong></p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"ResponseData\": {\n    \"BeneficiaryId\": \"4650983997967871956\",\n    \"message\": \"Please allow 10 minutes for the beneficiary to turn Active. Once the beneficiary status is Active, You can create payment instruments.\"\n  }\n}\n\n</code></pre>\n<hr />\n<h3 id=\"add-payment-instrument-ach-bank-account\">Add Payment Instrument (ACH Bank Account)</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">async function createACHInstrument() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/payment-instrument/create`,\n      [\n        {\n          \"field\": \"Payment_Type\",\n          \"value\": \"BUS_USD_Account.Business_ACH\"\n        },\n        {\n          \"field\": \"BeneficiaryId\",\n          \"value\": \"-6360317090952990964\"\n        },\n        {\n          \"field\": \"Nickname\",\n          \"value\": \"Domestic-ACH-Instrument\"\n        },\n        {\n          \"field\": \"Account_Number\",\n          \"value\": \"8787627\"\n        },\n        {\n          \"field\": \"Routing_Number\",\n          \"value\": \"026009593\"\n        },\n        {\n          \"field\": \"Account_Type\",\n          \"value\": \"Saving\"\n        }\n      ],\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(\"Payment Instrument Created:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error creating payment instrument:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateACHInstrument();\n\n</code></pre>\n<p><strong>Response:</strong></p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  ResponseCode: 200,\n  ResponseMessage: 'Success',\n  ResponseData: { PaymentInstrumentID: '-6477410681264623860' }\n}\n\n</code></pre>\n<hr />\n<h3 id=\"upload-supporting-document\">Upload Supporting Document</h3>\n<p>Use this endpoint to upload supporting documents (e.g., invoices) that can be attached to payments or other workflows.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst fs = require('fs');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\n// 🔁 Update file path accordingly\nconst filePath = \"/Users/rishav/Documents/Sample/Form_6_English.pdf\";\nasync function uploadFile() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/files/upload?customField=Payment_Invoice&amp;fileName=Ducket.pdf`,\n      fs.createReadStream(filePath),\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`,\n          \"Content-Type\": \"application/pdf\"\n        },\n        maxBodyLength: Infinity\n      }\n    );\n    console.log(\"File Uploaded:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error uploading file:\",\n      error.response?.data || error.message\n    );\n  }\n}\nuploadFile();\n\n</code></pre>\n<hr />\n<h3 id=\"📌-note\">📌 Note</h3>\n<p>Refer to the <strong>Files Upload</strong> endpoint in the API Reference section to better understand:</p>\n<ul>\n<li><p>Supported file types</p>\n</li>\n<li><p>Required query parameters (<code>customField</code>, <code>fileName</code>)</p>\n</li>\n<li><p>How uploaded files are used across flows (e.g., attaching documents to payments)</p>\n</li>\n</ul>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"ID\": \"-4004934485838221358\"\n    }\n}\n\n</code></pre>\n<hr />\n<h3 id=\"initiate-payment\">Initiate Payment</h3>\n<p>💳 Create Bank Payment (Node.js)</p>\n<p>Use this endpoint to initiate a <strong>bank payment (e.g., ACH/Wire)</strong> using a previously created payment instrument.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\nasync function createBankPayment() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/payment/bank`,\n      {\n        \"BeneficiaryPaymentInstrumentID\": \"-6391842288344584436\",\n        \"Purpose\": \"Loan_Payments\",\n        \"Currency\": \"USD\",\n        \"Amount\": \"40\",\n        \"CryptoBuySellActivity\": \"No\",\n        \"Intermediary_ABA\": \"026001591\",\n        \"SupportingDocument\": \"-4004934485838221358\",\n        \"Description\": \"lorem ipsum\"\n      },\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(\"Payment Created:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error creating payment:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateBankPayment();\n\n</code></pre>\n<hr />\n<h3 id=\"📌-note-1\">📌 Note</h3>\n<ul>\n<li><p><code>BeneficiaryPaymentInstrumentID</code> is obtained from the <strong>Create Payment Instrument</strong> step</p>\n</li>\n<li><p><code>SupportingDocument</code> is the <strong>File ID</strong> received after uploading a file via the <strong>Files Upload</strong> endpoint</p>\n</li>\n<li><p>Ensure all required compliance fields (e.g., Purpose, Description) are provided correctly</p>\n</li>\n</ul>\n<h3 id=\"response\"><strong>Response:</strong></h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FV000007938\"\n    }\n}\n\n</code></pre>\n<hr />\n<h3 id=\"track-transaction-status\">Track Transaction Status</h3>\n<p>Use this endpoint to fetch detailed information about a specific transaction using the <code>TransactionNumber</code>.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\n// 🔁 Replace with your actual Transaction Number\nconst transactionNumber = \"FV000462103\";\nasync function getTransactionDetails() {\n  try {\n    const response = await axios.get(\n      `${baseUrl}/transactions/details/${transactionNumber}`,\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`\n        }\n      }\n    );\n    console.log(\"Transaction Details:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error fetching transaction details:\",\n      error.response?.data || error.message\n    );\n  }\n}\ngetTransactionDetails();\n\n</code></pre>\n<hr />\n<h3 id=\"📌-note-2\">📌 Note</h3>\n<ul>\n<li><p><code>TransactionNumber</code> is obtained from:</p>\n<ul>\n<li><p>Payment creation response</p>\n</li>\n<li><p>Transaction listing APIs</p>\n</li>\n<li><p>Webhook payloads</p>\n</li>\n</ul>\n</li>\n<li><p>Use this endpoint to:</p>\n<ul>\n<li><p>Track transaction status</p>\n</li>\n<li><p>View complete transaction details</p>\n</li>\n<li><p>Reconcile payments in your system</p>\n</li>\n</ul>\n</li>\n</ul>\n<h3 id=\"⚠️-common-errors\">⚠️ Common Errors</h3>\n<ul>\n<li><p>Missing or invalid <code>SessionToken</code></p>\n</li>\n<li><p>Incorrect <code>BeneficiaryID</code> or <code>PaymentInstrumentID</code></p>\n</li>\n<li><p>Missing <code>SupportingDocument</code> when required</p>\n</li>\n<li><p>Invalid bank details (routing/account number)</p>\n</li>\n<li><p>Expired session without refresh handling</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary\">📌 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code>BeneficiaryID → PaymentInstrumentID → FileId → TransactionID\n\n</code></pre><p>This flow can be reused for all fiat payment types by adjusting the <code>Payment_Type</code> and required banking details.</p>\n","_postman_id":"bb2a9e1f-b37f-4295-8dad-c493125ee447"},{"name":"🪙 Send Stablecoin Payments","item":[],"id":"bedef6db-ec69-4471-8d9f-6d8f386a12c9","description":"<h2 id=\"send-stablecoin-payments\">Send Stablecoin Payments</h2>\n<p>This use case demonstrates how to send stablecoin payments (e.g., <strong>PYUSD, USDC</strong>) from your FV account to a blockchain address.</p>\n<p>Stablecoin payments allow you to transfer digital dollars over blockchain networks while funding the transaction from your USD account.</p>\n<hr />\n<h3 id=\"💡-how-stablecoin-payments-work\">💡 How Stablecoin Payments Work</h3>\n<ul>\n<li><p>You initiate a payment in <strong>USD</strong></p>\n</li>\n<li><p>The equivalent value is converted and sent as a <strong>stablecoin (PYUSD / USDC)</strong></p>\n</li>\n<li><p>Funds are primarily deducted from your <strong>Account USD balance</strong></p>\n</li>\n</ul>\n<h4 id=\"🧠-smart-sweep-optional-feature\">🧠 Smart Sweep (Optional Feature)</h4>\n<p>If enabled on your account:</p>\n<ul>\n<li><p>If the USD account balance is insufficient</p>\n</li>\n<li><p>The remaining amount is automatically deducted from your <strong>Custody USD balance</strong></p>\n</li>\n</ul>\n<blockquote>\n<p>⚠️ This feature is enabled on-demand for specific merchants </p>\n</blockquote>\n<hr />\n<h3 id=\"🔄-flow-overview\">🔄 Flow Overview</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;stbl-flow&quot;\">Create Beneficiary → Add Wallet Address (Payment Instrument) → Initiate Payment → Track Transaction\n\n</code></pre>\n<hr />\n<h3 id=\"📊-data-flow\">📊 Data Flow</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;stbl-data-flow&quot;\">BeneficiaryID → PaymentInstrumentID → TransactionID\n\n</code></pre>\n<hr />\n<h3 id=\"✅-prerequisites\">✅ Prerequisites</h3>\n<ul>\n<li><p>A valid <code>SessionToken</code></p>\n</li>\n<li><p>Include the following header in all requests:</p>\n</li>\n</ul>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">X-AUTH-TOKEN: \n\n</code></pre>\n<ul>\n<li><p>Beneficiary must be created</p>\n</li>\n<li><p>Wallet address must be added as a payment instrument</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"create-beneficiary\">Create Beneficiary</h3>\n<p>(Same as bank payments)</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">async function createBeneficiary() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/beneficiary/create`,\n      [\n        { \"field\": \"Beneficiary_Type\", \"value\": \"individual\" },\n        { \"field\": \"Beneficiary_Email\", \"value\": \"john.doe@example.com\" },\n        { \"field\": \"Beneficiary_Address\", \"value\": \"123 Main Street\" },\n        { \"field\": \"Beneficiary_City\", \"value\": \"New York\" },\n        { \"field\": \"Beneficiary_Postal_Code\", \"value\": \"10001\" },\n        { \"field\": \"Beneficiary_Country\", \"value\": \"US\" },\n        { \"field\": \"Beneficiary_State\", \"value\": \"NY\" },\n        { \"field\": \"Beneficiary_First_Name\", \"value\": \"John\" },\n        { \"field\": \"Beneficiary_Last_Name\", \"value\": \"Doe\" },\n        { \"field\": \"Beneficiary_DOB\", \"value\": \"1990-01-01\" }\n      ],\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(response.data);\n  } catch (error) {\n    console.error(\n      \"Error:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateBeneficiary();\n\n</code></pre>\n<hr />\n<h3 id=\"add-wallet-address-payment-instrument\">Add Wallet Address (Payment Instrument)</h3>\n<p>🪙 Create Stablecoin Payment Instrument (Node.js)</p>\n<p>Use this endpoint to create a <strong>crypto wallet payment instrument</strong> (e.g., USDC) for a beneficiary.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\nasync function createStablecoinInstrument() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/payment-instruments/create`,\n      [\n        { \"field\": \"Payment_Type\", \"value\": \"CRYPTO_WALLET.USDC\" },\n        { \"field\": \"BeneficiaryId\", \"value\": \"ben_12345\" },\n        { \"field\": \"Nickname\", \"value\": \"Mark USDC Wallet\" },\n        { \"field\": \"Address\", \"value\": \"0xA1b2C3d4E5f6...\" },\n        { \"field\": \"Blockchain\", \"value\": \"ETH\" },\n        { \"field\": \"Asset\", \"value\": \"USDC\" }\n      ],\n      {\n        headers: {\n          \"X-AUTH-TOKEN\": sessionToken,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(\"Stablecoin Instrument Created:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error creating stablecoin payment instrument:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateStablecoinInstrument();\n\n</code></pre>\n<hr />\n<p><strong>Response:</strong></p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  ResponseCode: 200,\n  ResponseMessage: 'Success',\n  ResponseData: { PaymentInstrumentID: '-6477410681264623860' }\n}\n\n</code></pre>\n<p>📌 Note</p>\n<ul>\n<li><p><code>BeneficiaryId</code> must be created beforehand using the <strong>Create Beneficiary</strong> API</p>\n</li>\n<li><p><code>Address</code> should be a valid blockchain wallet address</p>\n</li>\n<li><p>Ensure <code>Blockchain</code> and <code>Asset</code> match (e.g., ETH + USDC)</p>\n</li>\n<li><p>The response will include a <strong>PaymentInstrumentID</strong> used for initiating stablecoin payments</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"initiate-stablecoin-payment\">Initiate Stablecoin Payment</h3>\n<p>🪙 Create Stablecoin Payment (Node.js)</p>\n<p>Use this endpoint to initiate a <strong>stablecoin withdrawal</strong> (e.g., USDC, PYUSD) to a beneficiary’s crypto wallet.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\nasync function createStablecoinPayment() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/stablecoin/withdraw`,\n      {\n        \"BeneficiaryPaymentInstrumentID\": \"pi_crypto_123\",\n        \"Amount\": \"100\",\n        \"Description\": \"Stablecoin payout\"\n      },\n      {\n        headers: {\n          \"X-AUTH-TOKEN\": sessionToken,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(\"Stablecoin Payment Created:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error creating stablecoin payment:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateStablecoinPayment();\n\n</code></pre>\n<hr />\n<h3 id=\"📌-note\">📌 Note</h3>\n<ul>\n<li><p><code>BeneficiaryPaymentInstrumentID</code> must refer to a <strong>crypto wallet instrument</strong></p>\n</li>\n<li><p>The equivalent USD amount will be deducted from your account</p>\n</li>\n<li><p>If <strong>Smart Sweep</strong> is enabled, insufficient balance may be covered from custody funds</p>\n</li>\n<li><p>Use this endpoint to send stablecoins like <strong>USDC</strong> or <strong>PYUSD</strong> to external wallets</p>\n</li>\n</ul>\n<p><strong>Response:</strong></p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FV000007976\"\n    }\n}\n\n</code></pre>\n<hr />\n<h3 id=\"track-transaction-status\">Track Transaction Status</h3>\n<p>📊 Track Transaction Status</p>\n<p>Once a payment is created, you can track its progress using the <strong>Transaction Details API</strong>. This helps you monitor both <strong>compliance status</strong> and <strong>execution status</strong> of the transaction.</p>\n<hr />\n<h3 id=\"🔍-fetch-transaction-details-nodejs\">🔍 Fetch Transaction Details (Node.js)</h3>\n<p>Use the <code>TransactionNumber</code> received during payment creation to fetch the latest status:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\n// 🔁 Replace with your Transaction Number\nconst transactionNumber = \"FV000694629\";\nasync function getTransactionDetails() {\n  try {\n    const response = await axios.get(\n      `${baseUrl}/transactions/details/${transactionNumber}`,\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`\n        }\n      }\n    );\n    console.log(\"Transaction Details:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error fetching transaction details:\",\n      error.response?.data || error.message\n    );\n  }\n}\ngetTransactionDetails();\n\n</code></pre>\n<hr />\n<h3 id=\"📦-example-response\">📦 Example Response</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"ResponseCode\": 200,\n  \"ResponseMessage\": \"Success\",\n  \"ResponseData\": {\n    \"TransactionNumber\": \"FV000694629\",\n    \"CreatedAt\": \"2026-04-10T05:45:45.516-04:00\",\n    \"Amount\": \"0.01\",\n    \"From\": \"Rishav LLC\",\n    \"To\": \"USDC Wallet\",\n    \"Currency\": \"USD\",\n    \"Description\": \"lorem ipsum\",\n    \"Type\": {\n      \"value\": \"BUS_USD_Account.Stablecoin_Withdraw\",\n      \"label\": \"Stablecoin Payment\"\n    },\n    \"AdditionalData\": [\n      {\n        \"label\": \"Destination Currency\",\n        \"value\": \"USDC\"\n      },\n      {\n        \"label\": \"Beneficiary First Name\",\n        \"value\": \"Rishav\"\n      },\n      {\n        \"label\": \"Beneficiary Last Name\",\n        \"value\": \"Upadhayay\"\n      },\n      {\n        \"label\": \"Originator Blockchain\",\n        \"value\": \"ETH\"\n      },\n      {\n        \"label\": \"Gateway\",\n        \"value\": \"Circle\"\n      }\n    ],\n    \"Status\": \"PENDING_AUTHORIZATION\"\n  }\n}\n\n</code></pre>\n<hr />\n<h3 id=\"🧠-understanding-transaction-status\">🧠 Understanding Transaction Status</h3>\n<p>The <code>Status</code> field represents the current stage of the transaction:</p>\n<ul>\n<li><p><code>PENDING_AUTHORIZATION</code> → Awaiting compliance approval</p>\n</li>\n<li><p><code>AUTHORIZED</code> → Approved and ready for processing</p>\n</li>\n<li><p><code>IN_PROCESS</code> → Payment is being processed</p>\n</li>\n<li><p><code>COMPLETED</code> → Funds successfully transferred</p>\n</li>\n<li><p><code>FAILED</code> → Payment failed</p>\n</li>\n<li><p><code>CANCELLED</code> → Cancelled by compliance</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🔗-additional-details\">🔗 Additional Details</h3>\n<p>The response also includes an <code>AdditionalData</code> array with extended information such as:</p>\n<ul>\n<li><p>Destination currency (e.g., USDC)</p>\n</li>\n<li><p>Blockchain network</p>\n</li>\n<li><p>Beneficiary details</p>\n</li>\n<li><p>Processing gateway (e.g., Circle)</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary\">📌 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;track-summary&quot;\">Create Payment → Get TransactionNumber → Track via API / Webhooks\n\n</code></pre>\n<h5 id=\"this-ensures-complete-visibility-into-the-transaction-lifecycle\">This ensures complete visibility into the transaction lifecycle.</h5>\n<p>🪙 Stablecoin Deposits</p>\n<p>FV Bank also supports receiving stablecoins.</p>\n<ul>\n<li><p>Each merchant is assigned a <strong>unique blockchain deposit address</strong></p>\n</li>\n<li><p>Funds sent to this address are credited to the merchant account</p>\n</li>\n</ul>\n<h4 id=\"how-it-works\">How it works:</h4>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;stbl-deposit-flow&quot;\">External Wallet → FV Deposit Address → Custody Balance → Account Balance (if applicable)\n\n</code></pre>\n<ul>\n<li><p>Deposit addresses are provided by FV Bank</p>\n</li>\n<li><p>Supported assets include <strong>USDC, PYUSD</strong></p>\n</li>\n<li><p>Deposits are processed after blockchain confirmations</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚠️-common-errors\">⚠️ Common Errors</h3>\n<ul>\n<li><p>Invalid wallet address</p>\n</li>\n<li><p>Unsupported network</p>\n</li>\n<li><p>Insufficient USD balance</p>\n</li>\n<li><p>Smart sweep not enabled (if relying on custody funds)</p>\n</li>\n<li><p>Expired SessionToken</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary-1\">📌 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;stbl-summary&quot;\">BeneficiaryID → PaymentInstrumentID → TransactionID\n\n</code></pre>\n<p>Stablecoin payments enable fast, global transfers using blockchain rails while maintaining USD-based accounting.</p>\n","_postman_id":"bedef6db-ec69-4471-8d9f-6d8f386a12c9"},{"name":"🏦 Create Virtual Account","item":[],"id":"205f2136-21c9-4cca-9b8b-ca9ab1c4f896","description":"<h2 id=\"🏦-create-virtual-account\">🏦 Create Virtual Account</h2>\n<p>Virtual Accounts are <strong>unique account numbers assigned to each beneficiary</strong>, enabling you to receive deposits and automatically map incoming funds to the correct beneficiary.</p>\n<p>These accounts are created <strong>along with the beneficiary</strong> by including additional fields in the beneficiary creation request.</p>\n<hr />\n<h3 id=\"🧠-why-virtual-accounts\">🧠 Why Virtual Accounts?</h3>\n<ul>\n<li><p>Assign <strong>dedicated deposit instructions per beneficiary</strong></p>\n</li>\n<li><p>Automatically <strong>reconcile incoming deposits</strong></p>\n</li>\n<li><p>Identify deposit source using <strong>Virtual Account identifier</strong></p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚙️-how-it-works\">⚙️ How It Works</h3>\n<ol>\n<li><p>Create a beneficiary with virtual account details</p>\n</li>\n<li><p>FVBank generates a <strong>virtual account number + deposit instructions</strong></p>\n</li>\n<li><p>Share deposit instructions from get transaction details endpoint with your beneficiary</p>\n</li>\n<li><p>When funds are received:</p>\n<ul>\n<li><p>A transaction is created</p>\n</li>\n<li><p>A <strong>Virtual Account identifier</strong> is included</p>\n</li>\n</ul>\n</li>\n<li><p>Use this identifier to <strong>map deposits to the correct beneficiary</strong></p>\n</li>\n</ol>\n<hr />\n<h3 id=\"🏗️-create-virtual-account-nodejs\">🏗️ Create Virtual Account (Node.js)</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\nasync function createVirtualAccount() {\n  try {\n    const response = await axios.post(\n      `${baseUrl}/beneficiary/create`,\n      [\n        { \"field\": \"Beneficiary_Type\", \"value\": \"individual\" },\n        { \"field\": \"Beneficiary_Email\", \"value\": \"john@fvbank.us\" },\n        { \"field\": \"Beneficiary_Address\", \"value\": \"1437 VIP Road\" },\n        { \"field\": \"Beneficiary_City\", \"value\": \"Agra\" },\n        { \"field\": \"Beneficiary_Postal_Code\", \"value\": \"282001\" },\n        { \"field\": \"Beneficiary_Country\", \"value\": \"IN\" },\n        { \"field\": \"Beneficiary_State\", \"value\": \"UP\" },\n        { \"field\": \"Beneficiary_First_Name\", \"value\": \"Jon\" },\n        { \"field\": \"Beneficiary_Last_Name\", \"value\": \"Doe\" },\n        {\n          \"field\": \"Beneficiary_Document\",\n          \"value\": [\n            { \"field\": \"ID_Type\", \"value\": \"Driving_License\" },\n            { \"field\": \"ID_Number\", \"value\": \"X12345679\" },\n            { \"field\": \"ID_Expiration_Date\", \"value\": \"2027-12-01\" },\n            { \"field\": \"Front_Document\", \"value\": \"{{FileId}}\" },\n            { \"field\": \"Back_Document\", \"value\": \"-8911389245460361003\" }\n          ]\n        }\n      ],\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`,\n          \"Content-Type\": \"application/json\"\n        }\n      }\n    );\n    console.log(\"Virtual Account Created:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error creating virtual account:\",\n      error.response?.data || error.message\n    );\n  }\n}\ncreateVirtualAccount();\n\n</code></pre>\n<hr />\n<h3 id=\"🔍-get-beneficiary-details-deposit-instructions\">🔍 Get Beneficiary Details (Deposit Instructions)</h3>\n<p>After creating the virtual account, fetch beneficiary details to retrieve <strong>deposit instructions</strong>:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const axios = require('axios');\nconst baseUrl = \"https://sandbox.merchant.fvbank.us/v2\";\nconst sessionToken = \"your_session_token_here\";\n// 🔁 Replace with actual Beneficiary ID\nconst beneficiaryId = \"your_beneficiary_id\";\nasync function getBeneficiaryDetails() {\n  try {\n    const response = await axios.get(\n      `${baseUrl}/beneficiary/details/${beneficiaryId}`,\n      {\n        headers: {\n          \"Authorization\": `Bearer ${sessionToken}`\n        }\n      }\n    );\n    console.log(\"Beneficiary Details:\", response.data);\n  } catch (error) {\n    console.error(\n      \"Error fetching beneficiary details:\",\n      error.response?.data || error.message\n    );\n  }\n}\ngetBeneficiaryDetails();\n\n</code></pre>\n<hr />\n<h3 id=\"📦-example-response-virtual-account--deposit-instructions\">📦 Example Response (Virtual Account &amp; Deposit Instructions)</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"ResponseCode\": 200,\n  \"ResponseMessage\": \"Success\",\n  \"ResponseData\": {\n    \"CreatedBy\": \"Zomato - Rishav\",\n    \"CreatedOn\": \"2025-07-10T09:05:16.431-04:00\",\n    \"BeneficiaryId\": \"-1654055480350822652\",\n    \"Available_Payments_Type\": [],\n    \"Beneficiary_Type\": \"Individual\",\n    \"Beneficiary_Name\": \"Varun 1 Upadhayay 2\",\n    \"Beneficiary_First_Name\": \"Varun 1\",\n    \"Beneficiary_Last_Name\": \"Upadhayay 2\",\n    \"Beneficiary_Email\": \"varun+1@mailinator.com\",\n    \"Beneficiary_Status\": \"Active\",\n    \"ID_Document\": \"Beneficiary ID Document (-1649551880723452156)\",\n    \"Beneficiary_Country\": \"India\",\n    \"Beneficiary_State\": \"UP\",\n    \"Beneficiary_City\": \"Agra\",\n    \"Beneficiary_Address\": \"1437 VIP Road\",\n    \"Beneficiary_Postal_Code\": \"282001\",\n    \"Virtual_Account\": {\n      \"Account_Number\": \"780008000074\",\n      \"Deposit_Instructions\": [\n        {\n          \"Title\": \"Domestic Wire Deposit\",\n          \"Type\": \"Domestic Wire\",\n          \"Note\": \"Domestic Wire - Please use these instructions for any wires within the United States. You will need to provide this information to the bank that is sending the wire to your FV Bank Account. You must provide the Reference for your FV Bank account in the Reference/Memo Field.\",\n          \"Receiving Bank Name\": \"Cornerstone Capital Bank\",\n          \"Receiving Bank Address\": \"1177 West Loop South, Suite 700, Houston, TX 77027\",\n          \"Routing Number/ABA\": \"111326275\",\n          \"Beneficiary Name\": \"FV Bank International Inc.\",\n          \"Beneficiary Address\": \"270 Muñoz Rivera Avenue, Suite 1120, San Juan, PR 00918\",\n          \"Beneficiary Account Number\": \"100107427\",\n          \"Reference/Memo #\": \"780008000074\",\n          \"Gateway\": \"cornerstone\"\n        },\n        {\n          \"Title\": \"USDC Stablecoin Deposit\",\n          \"Type\": \"USDC Stablecoin\",\n          \"Note\": \"Deposits must be transferred on the ETH Blockchain. Any asset other than USDC sent to this address will not reach FV Bank and will be lost. Lost transfers may not be recoverable.\",\n          \"Deposit Address\": \"Deposit Address request was successful. Your Deposit Address will be available shortly!\",\n          \"Currency\": \"USDC\",\n          \"Stablecoin Network\": \"ETH\"\n        }\n      ]\n    }\n  }\n}\n\n</code></pre>\n<h3 id=\"📥-deposit-flow-with-virtual-accounts\">📥 Deposit Flow with Virtual Accounts</h3>\n<ul>\n<li><p>Share <strong>deposit instructions</strong> with your beneficiary</p>\n</li>\n<li><p>Beneficiary sends funds to assigned virtual account</p>\n</li>\n<li><p>FVBank creates a <strong>deposit transaction</strong></p>\n</li>\n<li><p>Transaction webhook includes:</p>\n</li>\n</ul>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"label\": \"Virtual Account\",\n  \"value\": \"780008000006\"\n}\n\n</code></pre>\n<hr />\n<h3 id=\"🔔-webhook-mapping\">🔔 Webhook Mapping</h3>\n<p>In <strong>deposit webhooks</strong>, the <code>Virtual Account</code> field is included in <code>AdditionalData</code>.</p>\n<p>This allows you to:</p>\n<ul>\n<li><p>Identify which beneficiary the deposit belongs to</p>\n</li>\n<li><p>Automatically reconcile funds</p>\n</li>\n<li><p>Avoid manual mapping</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚡-best-practices\">⚡ Best Practices</h3>\n<ul>\n<li><p>Always store <strong>Beneficiary ID ↔ Virtual Account mapping</strong></p>\n</li>\n<li><p>Use <strong>webhooks</strong> for real-time deposit tracking</p>\n</li>\n<li><p>Validate documents (<code>Front_Document</code>, <code>Back_Document</code>) before submission, refer to upload file endpoint to understand how to upload file for these fields</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary\">📌 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;virtual-account-summary&quot;\">Create Beneficiary (with VA) → Get Deposit Instructions → Share with User → Receive Deposit → Map via Virtual Account\n\n</code></pre>\n<p>Virtual Accounts enable <strong>automated, scalable, and error-free deposit reconciliation</strong>.</p>\n","_postman_id":"205f2136-21c9-4cca-9b8b-ca9ab1c4f896"}],"id":"eab74589-6714-4c01-b363-8db0616e06b7","description":"<h2 id=\"🧭-use-cases\">🧭 Use Cases</h2>\n<p>The following use cases demonstrate common workflows that can be implemented using FV Merchant APIs. Each use case is designed to guide you through a complete, real-world flow rather than isolated API calls.</p>\n<hr />\n<h3 id=\"🔄-common-outbound-payment-flow\">🔄 Common Outbound Payment Flow</h3>\n<p>All outbound transactions—whether bank payments or stablecoin transfers—follow a consistent pattern:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;uc-flow&quot;\">Create Beneficiary → Add Payment Instrument → Initiate Payment → Track Transaction\n\n</code></pre>\n<hr />\n<h3 id=\"🧱-core-concepts\">🧱 Core Concepts</h3>\n<p><strong>1. Beneficiary</strong><br />A beneficiary represents the recipient of funds. This can be an individual or a business entity.</p>\n<p><strong>2. Payment Instrument</strong><br />A payment instrument defines how funds are delivered to the beneficiary. Examples include:</p>\n<ul>\n<li><p>Bank accounts (ACH, Wire, SEPA)</p>\n</li>\n<li><p>Blockchain wallet addresses (USDC, PYUSD)</p>\n</li>\n</ul>\n<p><strong>3. Payment</strong><br />A payment is created using a selected payment instrument to transfer funds to the beneficiary.</p>\n<hr />\n<h3 id=\"🔗-relationship-between-entities\">🔗 Relationship Between Entities</h3>\n<ul>\n<li><p>A <strong>single beneficiary</strong> can have <strong>multiple payment instruments</strong></p>\n</li>\n<li><p>Each payment instrument must be <strong>unique and non-identical</strong></p>\n</li>\n<li><p>Payment instruments can be of <strong>different types</strong> (e.g., ACH + Wire + Crypto wallet)</p>\n</li>\n</ul>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;uc-relationship&quot;\">Beneficiary\n   ├── Bank Account (ACH)\n   ├── Bank Account (Wire)\n   └── Crypto Wallet (USDC)\n\n</code></pre>\n<hr />\n<h3 id=\"📌-how-to-use-these-use-cases\">📌 How to Use These Use Cases</h3>\n<p>Each use case in this section builds on the flow above and demonstrates:</p>\n<ul>\n<li><p>Required API calls</p>\n</li>\n<li><p>Example request/response payloads</p>\n</li>\n<li><p>How IDs flow between steps</p>\n</li>\n<li><p>Best practices for handling payments</p>\n</li>\n</ul>\n<p>Start with the use case most relevant to your integration (e.g., Send Bank Payments or Send Stablecoin Payments) and follow the steps sequentially.</p>\n<hr />\n<p>These use cases are designed to help you integrate faster by focusing on <strong>end-to-end workflows</strong> rather than individual endpoints.</p>\n","_postman_id":"eab74589-6714-4c01-b363-8db0616e06b7"},{"name":"📚 API Reference","item":[{"name":"Auth","item":[{"name":"Get Session Token","event":[{"listen":"prerequest","script":{"id":"398b1175-f681-4a6e-b5e1-edf25dd5d919","exec":["// JWT generation script adapted from","// https://gist.github.com/corbanb/db03150abbe899285d6a86cc480f674d","","var jwtSecret = pm.environment.get('clientSecret') || ''","","// Set headers for JWT","var header = {","\t'typ': 'JWT',","\t'alg': 'HS256'","};","","// Prepare timestamp in seconds","var currentTimestamp = Math.floor(Date.now() / 1000)","","var data = {","    'ClientID': pm.environment.get('clientID'),","\t'iat': currentTimestamp,","\t'exp': currentTimestamp + 30, // expiry time is 30 seconds from time of creation","}","","function base64url(source) {","    // Encode in classical base64","    encodedSource = CryptoJS.enc.Base64.stringify(source)","    ","    // Remove padding equal characters","    encodedSource = encodedSource.replace(/=+$/, '')","    ","    // Replace characters according to base64url specifications","    encodedSource = encodedSource.replace(/\\+/g, '-')","    encodedSource = encodedSource.replace(/\\//g, '_')","    ","    return encodedSource","}","","// encode header","var stringifiedHeader = CryptoJS.enc.Utf8.parse(JSON.stringify(header))","var encodedHeader = base64url(stringifiedHeader)","","// encode data","var stringifiedData = CryptoJS.enc.Utf8.parse(JSON.stringify(data))","var encodedData = base64url(stringifiedData)","","// build token","var token = `${encodedHeader}.${encodedData}`","","// sign token","var signature = CryptoJS.HmacSHA256(token, jwtSecret)","signature = base64url(signature)","var signedToken = `${token}.${signature}`","","pm.environment.set('authToken', signedToken)","console.log('Signed and encoded JWT', signedToken)"],"type":"text/javascript","packages":{},"requests":{}}},{"listen":"test","script":{"id":"dafe3b44-3733-4132-91a1-d39e347e7329","exec":["var jsonData = pm.response.json();","pm.environment.set(\"sessionToken\", jsonData.ResponseData.SessionToken);"],"type":"text/javascript","packages":{},"requests":{}}}],"id":"3006c58f-9e35-4b14-b798-f5fa3f7bcc1a","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"auth":{"type":"noauth","isInherited":false},"method":"GET","header":[{"key":"X-AUTH-TOKEN","value":"{{authToken}}","type":"text"}],"url":"{{baseURL}}/v2/auth","description":"<p>To get the SessionToken that is to be used in all other endpoints. This endpoint requires a header named <code>AUTH-TOKEN</code> which expected to be a JWT token of the below payload signed with the client secret that is shared by the FV Bank Team.</p>\n<p>P.S <code>AUTH-TOKEN</code> is changed to <code>X-AUTH-TOKEN</code>. The former one is deprecated and removed.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n   \"ClientID\": \"YOUR_CLIENT_ID\",\n   \"iat\": CURRENT_TIMESTAMP,\n   \"exp\":CURRENT_TIMESTAMP + 30 \\* 60 \\* 60 \\* 24\n}\n\n</code></pre>\n<p>Note: <code>HS256</code> is the algorithm to be used while generating JWT.</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td>{  <br />\"SessionToken\": string  <br />}</td>\n<td></td>\n<td>Session token generate for the client to call secured endpoints</td>\n</tr>\n</tbody>\n</table>\n</div><p><code>SessionToken</code> returned from the API is valid for 15 minutes.</p>\n<p>The <code>x-refresh-token</code> header will be present in the other endpoints before 2 minutes of the current token expiry, the same can be replaced with existing one.</p>\n<p>Note that calls to the secured endpoints requires the same IP address that was used to obtain the session token.</p>\n","urlObject":{"path":["v2","auth"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"24de6ada-620a-4bde-9dd3-bb60fd6c6f0b","name":"Get Session Token","originalRequest":{"method":"GET","header":[{"key":"X-AUTH-TOKEN","value":"{{authToken}}","type":"text"}],"url":"{{baseURL}}/auth"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"278"},{"key":"etag","value":"W/\"116-wryw7XWU88NWapM89RrHdfosafE\""},{"key":"x-execution-time","value":"143"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Thu, 25 Nov 2021 10:41:22 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"SessionToken\": \"eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJDbGllbnRJRCI6ImRlY2EzNWZkLTMzMGItNDA2My04ZmRhLWZjMGQxYjYxMDcyYyIsImlhdCI6MTYzNzgzNjg4MiwiZXhwIjoxNjM3ODM3NzgyfQ.9c97iKdf-IAdvVz7O_QvjB-zL7e4OQAEukBCD3qXIa8\"\n    }\n}"},{"id":"77c8c2c4-578f-4f3e-a51f-250f9830ca14","name":"Get Session Token - Incorrect Token","originalRequest":{"method":"GET","header":[{"key":"X-AUTH-TOKEN","value":"fsdfdsfsdf.asfsadfasdfsda.asfasdfasdfsdf","type":"text"}],"url":"{{baseURL}}/auth"},"status":"Bad Request","code":400,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"106"},{"key":"etag","value":"W/\"6a-C4LASMCPnCyFHADljvpEV/Iba3c\""},{"key":"x-execution-time","value":"14"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Wed, 01 Dec 2021 05:50:30 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 400,\n    \"ResponseMessage\": \"BadRequest\",\n    \"ResponseErrors\": [\n        \"headers[auth-token]: Bad Request.\"\n    ]\n}"}],"_postman_id":"3006c58f-9e35-4b14-b798-f5fa3f7bcc1a"}],"id":"d9fff990-ae80-4639-b412-1b9b6079f2d2","_postman_id":"d9fff990-ae80-4639-b412-1b9b6079f2d2","description":""},{"name":"Accounts","item":[{"name":"Get Account Balance","id":"bdbdf2e9-57f3-455b-bfa8-d04bfd495ff3","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/account/balance","description":"<p>To get the account balance of the client. While the API returns all three types of balances (balance, reserved, available) for the merchant partner, it is advised to check against the availableBalance before performing any transactions.</p>\n<p>Reserved balance - Several transactions needs authorizations from the bank / the payer. Amounts of such transactions get added in the reserved balance.</p>\n<p>Available balance - Balance that can considered before performing any transactions.</p>\n<p>Balance - Total balance on the account which is the sum of reserved, and available balances.</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td>Array&lt;<a href=\"#accountbalancedata\">Account Balance Data</a> &gt;</td>\n<td></td>\n<td>Object contains all the types of balance of the client account</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"295beb75-3a05-4efe-a644-4440b4e79791","id":"295beb75-3a05-4efe-a644-4440b4e79791","name":"Accounts","type":"folder"}},"urlObject":{"path":["v2","account","balance"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"03fcf250-03af-4811-9a20-d84d7df9d8db","name":"Get Account Balance","originalRequest":{"method":"GET","header":[],"url":"{{baseURL}}/v2/account/balance"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Access-Control-Allow-Origin","value":"*"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"53a-bBe+r4e+iFx4J6OssMG2H5gM8tE\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"638sl5kybict"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"075e043a8862df7b795474a600798e1f"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"193"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Mon, 11 Dec 2023 10:26:46 GMT"},{"key":"X-Served-By","value":"cache-del21747-DEL"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1702290406.053466,VS0,VE491"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": [\n        {\n            \"Balance\": \"12386.00\",\n            \"ReservedAmount\": \"30.00\",\n            \"AvailableBalance\": \"12356.00\",\n            \"Currency\": \"USD\",\n            \"Name\": \"Account (USD)\",\n            \"Id\": \"417971020\"\n        },\n        {\n            \"Balance\": \"0.000000\",\n            \"ReservedAmount\": \"0.000000\",\n            \"AvailableBalance\": \"0.000000\",\n            \"Currency\": \"ADA\",\n            \"Name\": \"Custody (ADA)\",\n            \"Id\": \"540460491\"\n        },\n        {\n            \"Balance\": \"0.00000000\",\n            \"ReservedAmount\": \"0.00000000\",\n            \"AvailableBalance\": \"0.00000000\",\n            \"Currency\": \"BNB\",\n            \"Name\": \"Custody (BNB)\",\n            \"Id\": \"292851323\"\n        },\n        {\n            \"Balance\": \"0.00000000\",\n            \"ReservedAmount\": \"0.00000000\",\n            \"AvailableBalance\": \"0.00000000\",\n            \"Currency\": \"BTC\",\n            \"Name\": \"Custody (BTC)\",\n            \"Id\": \"338529142\"\n        },\n        {\n            \"Balance\": \"0.000000000\",\n            \"ReservedAmount\": \"0.000000000\",\n            \"AvailableBalance\": \"0.000000000\",\n            \"Currency\": \"ETH\",\n            \"Name\": \"Custody (ETH)\",\n            \"Id\": \"476310157\"\n        },\n        {\n            \"Balance\": \"0.000000000\",\n            \"ReservedAmount\": \"0.000000000\",\n            \"AvailableBalance\": \"0.000000000\",\n            \"Currency\": \"MATIC\",\n            \"Name\": \"Custody (MATIC)\",\n            \"Id\": \"988028458\"\n        },\n        {\n            \"Balance\": \"0.000000\",\n            \"ReservedAmount\": \"0.000000\",\n            \"AvailableBalance\": \"0.000000\",\n            \"Currency\": \"USDC\",\n            \"Name\": \"Custody (USDC)\",\n            \"Id\": \"078346313\"\n        },\n        {\n            \"Balance\": \"0.000000\",\n            \"ReservedAmount\": \"0.000000\",\n            \"AvailableBalance\": \"0.000000\",\n            \"Currency\": \"USDT\",\n            \"Name\": \"Custody (USDT)\",\n            \"Id\": \"623196743\"\n        },\n        {\n            \"Balance\": \"0.00\",\n            \"ReservedAmount\": \"0.00\",\n            \"AvailableBalance\": \"0.00\",\n            \"Currency\": \"USD\",\n            \"Name\": \"Custody Account (USD)\",\n            \"Id\": \"140404433\"\n        }\n    ]\n}"},{"id":"e922f6b3-ac9e-449a-8a8a-eac16952b798","name":"Get Account Balance","originalRequest":{"method":"GET","header":[],"url":"{{baseURL}}/v2/account/balance"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"etag","value":"W/\"53a-bBe+r4e+iFx4J6OssMG2H5gM8tE\""},{"key":"x-execution-time","value":"992"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"content-encoding","value":"gzip"},{"key":"date","value":"Mon, 11 Dec 2023 05:47:01 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"transfer-encoding","value":"chunked"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": [\n        {\n            \"Balance\": \"12386.00\",\n            \"ReservedAmount\": \"30.00\",\n            \"AvailableBalance\": \"12356.00\",\n            \"Currency\": \"USD\",\n            \"Name\": \"Account (USD)\",\n            \"Id\": \"417971020\"\n        },\n        {\n            \"Balance\": \"0.000000\",\n            \"ReservedAmount\": \"0.000000\",\n            \"AvailableBalance\": \"0.000000\",\n            \"Currency\": \"ADA\",\n            \"Name\": \"Custody (ADA)\",\n            \"Id\": \"540460491\"\n        },\n        {\n            \"Balance\": \"0.00000000\",\n            \"ReservedAmount\": \"0.00000000\",\n            \"AvailableBalance\": \"0.00000000\",\n            \"Currency\": \"BNB\",\n            \"Name\": \"Custody (BNB)\",\n            \"Id\": \"292851323\"\n        },\n        {\n            \"Balance\": \"0.00000000\",\n            \"ReservedAmount\": \"0.00000000\",\n            \"AvailableBalance\": \"0.00000000\",\n            \"Currency\": \"BTC\",\n            \"Name\": \"Custody (BTC)\",\n            \"Id\": \"338529142\"\n        },\n        {\n            \"Balance\": \"0.000000000\",\n            \"ReservedAmount\": \"0.000000000\",\n            \"AvailableBalance\": \"0.000000000\",\n            \"Currency\": \"ETH\",\n            \"Name\": \"Custody (ETH)\",\n            \"Id\": \"476310157\"\n        },\n        {\n            \"Balance\": \"0.000000000\",\n            \"ReservedAmount\": \"0.000000000\",\n            \"AvailableBalance\": \"0.000000000\",\n            \"Currency\": \"MATIC\",\n            \"Name\": \"Custody (MATIC)\",\n            \"Id\": \"988028458\"\n        },\n        {\n            \"Balance\": \"0.000000\",\n            \"ReservedAmount\": \"0.000000\",\n            \"AvailableBalance\": \"0.000000\",\n            \"Currency\": \"USDC\",\n            \"Name\": \"Custody (USDC)\",\n            \"Id\": \"078346313\"\n        },\n        {\n            \"Balance\": \"0.000000\",\n            \"ReservedAmount\": \"0.000000\",\n            \"AvailableBalance\": \"0.000000\",\n            \"Currency\": \"USDT\",\n            \"Name\": \"Custody (USDT)\",\n            \"Id\": \"623196743\"\n        },\n        {\n            \"Balance\": \"0.00\",\n            \"ReservedAmount\": \"0.00\",\n            \"AvailableBalance\": \"0.00\",\n            \"Currency\": \"USD\",\n            \"Name\": \"Custody Account (USD)\",\n            \"Id\": \"140404433\"\n        }\n    ]\n}"}],"_postman_id":"bdbdf2e9-57f3-455b-bfa8-d04bfd495ff3"},{"name":"Get Deposit Instructions","id":"37cfe1be-a5ff-47a0-ba06-fcba5a7a36bc","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/account/deposit/instructions","description":"<p>To get the deposit instructions for the client</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#depositinstructions\">Deposit Instructions</a></td>\n<td></td>\n<td>Instructions for making a deposit to FVBank</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"295beb75-3a05-4efe-a644-4440b4e79791","id":"295beb75-3a05-4efe-a644-4440b4e79791","name":"Accounts","type":"folder"}},"urlObject":{"path":["v2","account","deposit","instructions"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"6ac40a98-cebe-4221-b7b3-a672fff7d36a","name":"Get Deposit Instructions","originalRequest":{"method":"GET","header":[],"url":"{{baseURL}}/v2/account/deposit/instructions"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"50c-/9pzdIxfQqaDvb+w8Kw8HYqswDU\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"erwd5iv76nno"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"9b3b81b202ecc84daecdc1e3c691dee9"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"1655"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Fri, 16 Jun 2023 14:46:01 GMT"},{"key":"X-Served-By","value":"cache-bom4747-BOM"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1686926759.106411,VS0,VE1989"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": [\n        {\n            \"Type\": \"Domestic Wire/ACH\",\n            \"BankName\": \"Summit National Bank\",\n            \"Address\": \"133 Main Street Hulett, WY\",\n            \"RoutingNumber/ABA\": \"102307591\",\n            \"AccountNumber\": \"1122334455\",\n            \"DepositReference\": \"Your Reference Number. (Optional)\",\n            \"Currency\": \"USD\",\n            \"Gateway\": \"summit\"\n        },\n        {\n            \"Type\": \"International Wire\",\n            \"BankName\": \"Summit National Bank\",\n            \"Address\": \"133 Main Street Hulett, WY\",\n            \"BIC\": \"SUATUS52 (Non-connected)\",\n            \"AccountNumber\": \"1122334455\",\n            \"DepositReference\": \"Your Reference Number. (Optional)\",\n            \"Currency\": \"USD\",\n            \"Note\": \"For International originated wires, please note, your sending bank must have a US correspondent bank and be able to process through FedWire. SWIFT payments are not supported with these details\",\n            \"Gateway\": \"summit\"\n        },\n        {\n            \"Type\": \"Wire/ACH\",\n            \"RoutingNumber/ABA\": \"021001208\",\n            \"BankName\": \"Bank of the Lakes\",\n            \"Address\": \"123 Cherry Street, Duluth, MN, US, 55812\",\n            \"AccountNumber\": \"395260899046\",\n            \"DepositReference\": \"Your Reference Number. (Optional)\",\n            \"Currency\": \"USD\",\n            \"Gateway\": \"fortress\"\n        },\n        {\n            \"Type\": \"International Wire\",\n            \"BIC\": \"LAKEUS41\",\n            \"BankName\": \"Bank of the Lakes\",\n            \"Address\": \"123 Cherry Street, Duluth, MN, US, 55812\",\n            \"AccountNumber\": \"395260899046\",\n            \"DepositReference\": \"Your Reference Number. (Optional)\",\n            \"Currency\": \"USD\",\n            \"Gateway\": \"fortress\"\n        }\n    ]\n}"}],"_postman_id":"37cfe1be-a5ff-47a0-ba06-fcba5a7a36bc"}],"id":"295beb75-3a05-4efe-a644-4440b4e79791","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"ad01dab5-ac15-4c90-b0fd-1d7b837eed3a","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"62c1fef5-e070-4235-8199-6e5220a0bf61","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"295beb75-3a05-4efe-a644-4440b4e79791","description":""},{"name":"Beneficiary","item":[{"name":"Get Required Fields (Create Beneficiary)","id":"25d63fcc-1e35-46af-b980-712e1aa1d015","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryType\": \"individual\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/get-required-fields","description":"<p>This endpoint provides the list of fields that are needed in the Create Beneficiary endpoint.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryType</td>\n<td>string</td>\n<td>true</td>\n<td>Individual, Business</td>\n<td>Type of beneficiary to be created</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td><a href=\"#getrequiredfieldsforbeneficiary\">Get Required Fields For Beneficiary</a></td>\n<td>--</td>\n<td>--</td>\n<td>List of all the fields required to create the beneficiary</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","get-required-fields"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"5af58594-228f-4cf2-8a79-15c36f014a92","name":"Get Required Fields [V2] - Individual","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryType\": \"individual\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"1b26-Nx26u7EH3plLXYVjZZ738F95ZIE\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336r8bibu7i"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"360ae44c07184b0cfd0d3dce9aef2c22;o=1"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"1156"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:13:18 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674997997.241653,VS0,VE1446"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"Beneficiary_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Individual\",\n                        \"value\": \"individual\"\n                    },\n                    {\n                        \"label\": \"Business\",\n                        \"value\": \"business\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_First_Name\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Last_Name\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Email\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Payment_Type\",\n                \"Required\": false,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_City\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Postal_Code\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Country\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Albania\",\n                        \"value\": \"AL\"\n                    },\n                    {\n                        \"label\": \"Algeria\",\n                        \"value\": \"DZ\"\n                    },\n                    {\n                        \"label\": \"American Samoa\",\n                        \"value\": \"AS\"\n                    },\n                    {\n                        \"label\": \"Andorra\",\n                        \"value\": \"AD\"\n                    },\n                    {\n                        \"label\": \"Anguilla\",\n                        \"value\": \"AI\"\n                    },\n                    {\n                        \"label\": \"Antarctica\",\n                        \"value\": \"AQ\"\n                    },\n                    {\n                        \"label\": \"Antigua and Barbuda\",\n                        \"value\": \"AG\"\n                    },\n                    {\n                        \"label\": \"Argentina\",\n                        \"value\": \"AR\"\n                    },\n                    {\n                        \"label\": \"Armenia\",\n                        \"value\": \"AM\"\n                    },\n                    {\n                        \"label\": \"Aruba\",\n                        \"value\": \"AW\"\n                    },\n                    {\n                        \"label\": \"Australia\",\n                        \"value\": \"AU\"\n                    },\n                    {\n                        \"label\": \"Austria\",\n                        \"value\": \"AT\"\n                    },\n                    {\n                        \"label\": \"Azerbaijan\",\n                        \"value\": \"AZ\"\n                    },\n                    {\n                        \"label\": \"Bahamas\",\n                        \"value\": \"BS\"\n                    },\n                    {\n                        \"label\": \"Bangladesh\",\n                        \"value\": \"BD\"\n                    },\n                    {\n                        \"label\": \"Barbados\",\n                        \"value\": \"BB\"\n                    },\n                    {\n                        \"label\": \"Belgium\",\n                        \"value\": \"BE\"\n                    },\n                    {\n                        \"label\": \"Belize\",\n                        \"value\": \"BZ\"\n                    },\n                    {\n                        \"label\": \"Bermuda\",\n                        \"value\": \"BM\"\n                    },\n                    {\n                        \"label\": \"Bolivia (Plurinational State of)\",\n                        \"value\": \"BO\"\n                    },\n                    {\n                        \"label\": \"Bosnia and Herzegovina\",\n                        \"value\": \"BA\"\n                    },\n                    {\n                        \"label\": \"Brazil\",\n                        \"value\": \"BR\"\n                    },\n                    {\n                        \"label\": \"British Indian Ocean Territory\",\n                        \"value\": \"IO\"\n                    },\n                    {\n                        \"label\": \"United States Minor Outlying Islands\",\n                        \"value\": \"UM\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (British)\",\n                        \"value\": \"VG\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (U.S.)\",\n                        \"value\": \"VI\"\n                    },\n                    {\n                        \"label\": \"Brunei Darussalam\",\n                        \"value\": \"BN\"\n                    },\n                    {\n                        \"label\": \"Bulgaria\",\n                        \"value\": \"BG\"\n                    },\n                    {\n                        \"label\": \"Cambodia\",\n                        \"value\": \"KH\"\n                    },\n                    {\n                        \"label\": \"Cameroon\",\n                        \"value\": \"CM\"\n                    },\n                    {\n                        \"label\": \"Canada\",\n                        \"value\": \"CA\"\n                    },\n                    {\n                        \"label\": \"Cayman Islands\",\n                        \"value\": \"KY\"\n                    },\n                    {\n                        \"label\": \"Chile\",\n                        \"value\": \"CL\"\n                    },\n                    {\n                        \"label\": \"China\",\n                        \"value\": \"CN\"\n                    },\n                    {\n                        \"label\": \"Colombia\",\n                        \"value\": \"CO\"\n                    },\n                    {\n                        \"label\": \"Comoros\",\n                        \"value\": \"KM\"\n                    },\n                    {\n                        \"label\": \"Cook Islands\",\n                        \"value\": \"CK\"\n                    },\n                    {\n                        \"label\": \"Costa Rica\",\n                        \"value\": \"CR\"\n                    },\n                    {\n                        \"label\": \"Croatia\",\n                        \"value\": \"HR\"\n                    },\n                    {\n                        \"label\": \"CuraÃ§ao\",\n                        \"value\": \"CW\"\n                    },\n                    {\n                        \"label\": \"Cyprus\",\n                        \"value\": \"CY\"\n                    },\n                    {\n                        \"label\": \"Czech Republic\",\n                        \"value\": \"CZ\"\n                    },\n                    {\n                        \"label\": \"Denmark\",\n                        \"value\": \"DK\"\n                    },\n                    {\n                        \"label\": \"Dominica\",\n                        \"value\": \"DM\"\n                    },\n                    {\n                        \"label\": \"Dominican Republic\",\n                        \"value\": \"DO\"\n                    },\n                    {\n                        \"label\": \"Ecuador\",\n                        \"value\": \"EC\"\n                    },\n                    {\n                        \"label\": \"Egypt\",\n                        \"value\": \"EG\"\n                    },\n                    {\n                        \"label\": \"El Salvador\",\n                        \"value\": \"SV\"\n                    },\n                    {\n                        \"label\": \"Estonia\",\n                        \"value\": \"EE\"\n                    },\n                    {\n                        \"label\": \"Falkland Islands (Malvinas)\",\n                        \"value\": \"FK\"\n                    },\n                    {\n                        \"label\": \"Fiji\",\n                        \"value\": \"FJ\"\n                    },\n                    {\n                        \"label\": \"Finland\",\n                        \"value\": \"FI\"\n                    },\n                    {\n                        \"label\": \"France\",\n                        \"value\": \"FR\"\n                    },\n                    {\n                        \"label\": \"French Guiana\",\n                        \"value\": \"GF\"\n                    },\n                    {\n                        \"label\": \"French Polynesia\",\n                        \"value\": \"PF\"\n                    },\n                    {\n                        \"label\": \"Gambia\",\n                        \"value\": \"GM\"\n                    },\n                    {\n                        \"label\": \"Georgia\",\n                        \"value\": \"GE\"\n                    },\n                    {\n                        \"label\": \"Germany\",\n                        \"value\": \"DE\"\n                    },\n                    {\n                        \"label\": \"Ghana\",\n                        \"value\": \"GH\"\n                    },\n                    {\n                        \"label\": \"Gibraltar\",\n                        \"value\": \"GI\"\n                    },\n                    {\n                        \"label\": \"Greece\",\n                        \"value\": \"GR\"\n                    },\n                    {\n                        \"label\": \"Greenland\",\n                        \"value\": \"GL\"\n                    },\n                    {\n                        \"label\": \"Grenada\",\n                        \"value\": \"GD\"\n                    },\n                    {\n                        \"label\": \"Guadeloupe\",\n                        \"value\": \"GP\"\n                    },\n                    {\n                        \"label\": \"Guam\",\n                        \"value\": \"GU\"\n                    },\n                    {\n                        \"label\": \"Guatemala\",\n                        \"value\": \"GT\"\n                    },\n                    {\n                        \"label\": \"Guernsey\",\n                        \"value\": \"GG\"\n                    },\n                    {\n                        \"label\": \"Honduras\",\n                        \"value\": \"HN\"\n                    },\n                    {\n                        \"label\": \"Hong Kong\",\n                        \"value\": \"HK\"\n                    },\n                    {\n                        \"label\": \"Hungary\",\n                        \"value\": \"HU\"\n                    },\n                    {\n                        \"label\": \"Iceland\",\n                        \"value\": \"IS\"\n                    },\n                    {\n                        \"label\": \"India\",\n                        \"value\": \"IN\"\n                    },\n                    {\n                        \"label\": \"Indonesia\",\n                        \"value\": \"ID\"\n                    },\n                    {\n                        \"label\": \"Ireland\",\n                        \"value\": \"IE\"\n                    },\n                    {\n                        \"label\": \"Isle of Man\",\n                        \"value\": \"IM\"\n                    },\n                    {\n                        \"label\": \"Israel\",\n                        \"value\": \"IL\"\n                    },\n                    {\n                        \"label\": \"Italy\",\n                        \"value\": \"IT\"\n                    },\n                    {\n                        \"label\": \"Jamaica\",\n                        \"value\": \"JM\"\n                    },\n                    {\n                        \"label\": \"Japan\",\n                        \"value\": \"JP\"\n                    },\n                    {\n                        \"label\": \"Jersey\",\n                        \"value\": \"JE\"\n                    },\n                    {\n                        \"label\": \"Jordan\",\n                        \"value\": \"JO\"\n                    },\n                    {\n                        \"label\": \"Kazakhstan\",\n                        \"value\": \"KZ\"\n                    },\n                    {\n                        \"label\": \"Kenya\",\n                        \"value\": \"KE\"\n                    },\n                    {\n                        \"label\": \"Kuwait\",\n                        \"value\": \"KW\"\n                    },\n                    {\n                        \"label\": \"Kyrgyzstan\",\n                        \"value\": \"KG\"\n                    },\n                    {\n                        \"label\": \"Lao People's Democratic Republic\",\n                        \"value\": \"LA\"\n                    },\n                    {\n                        \"label\": \"Latvia\",\n                        \"value\": \"LV\"\n                    },\n                    {\n                        \"label\": \"Liechtenstein\",\n                        \"value\": \"LI\"\n                    },\n                    {\n                        \"label\": \"Lithuania\",\n                        \"value\": \"LT\"\n                    },\n                    {\n                        \"label\": \"Luxembourg\",\n                        \"value\": \"LU\"\n                    },\n                    {\n                        \"label\": \"Macao\",\n                        \"value\": \"MO\"\n                    },\n                    {\n                        \"label\": \"Macedonia (the former Yugoslav Republic of)\",\n                        \"value\": \"MK\"\n                    },\n                    {\n                        \"label\": \"Madagascar\",\n                        \"value\": \"MG\"\n                    },\n                    {\n                        \"label\": \"Malaysia\",\n                        \"value\": \"MY\"\n                    },\n                    {\n                        \"label\": \"Maldives\",\n                        \"value\": \"MV\"\n                    },\n                    {\n                        \"label\": \"Mali\",\n                        \"value\": \"ML\"\n                    },\n                    {\n                        \"label\": \"Malta\",\n                        \"value\": \"MT\"\n                    },\n                    {\n                        \"label\": \"Marshall Islands\",\n                        \"value\": \"MH\"\n                    },\n                    {\n                        \"label\": \"Martinique\",\n                        \"value\": \"MQ\"\n                    },\n                    {\n                        \"label\": \"Mauritania\",\n                        \"value\": \"MR\"\n                    },\n                    {\n                        \"label\": \"Mauritius\",\n                        \"value\": \"MU\"\n                    },\n                    {\n                        \"label\": \"Mexico\",\n                        \"value\": \"MX\"\n                    },\n                    {\n                        \"label\": \"Moldova (Republic of)\",\n                        \"value\": \"MD\"\n                    },\n                    {\n                        \"label\": \"Monaco\",\n                        \"value\": \"MC\"\n                    },\n                    {\n                        \"label\": \"Mongolia\",\n                        \"value\": \"MN\"\n                    },\n                    {\n                        \"label\": \"Montenegro\",\n                        \"value\": \"ME\"\n                    },\n                    {\n                        \"label\": \"Montserrat\",\n                        \"value\": \"MS\"\n                    },\n                    {\n                        \"label\": \"Morocco\",\n                        \"value\": \"MA\"\n                    },\n                    {\n                        \"label\": \"Nepal\",\n                        \"value\": \"NP\"\n                    },\n                    {\n                        \"label\": \"Netherlands\",\n                        \"value\": \"NL\"\n                    },\n                    {\n                        \"label\": \"New Zealand\",\n                        \"value\": \"NZ\"\n                    },\n                    {\n                        \"label\": \"Nigeria\",\n                        \"value\": \"NG\"\n                    },\n                    {\n                        \"label\": \"Norway\",\n                        \"value\": \"NO\"\n                    },\n                    {\n                        \"label\": \"Oman\",\n                        \"value\": \"OM\"\n                    },\n                    {\n                        \"label\": \"Pakistan\",\n                        \"value\": \"PK\"\n                    },\n                    {\n                        \"label\": \"Panama\",\n                        \"value\": \"PA\"\n                    },\n                    {\n                        \"label\": \"Paraguay\",\n                        \"value\": \"PY\"\n                    },\n                    {\n                        \"label\": \"Peru\",\n                        \"value\": \"PE\"\n                    },\n                    {\n                        \"label\": \"Philippines\",\n                        \"value\": \"PH\"\n                    },\n                    {\n                        \"label\": \"Poland\",\n                        \"value\": \"PL\"\n                    },\n                    {\n                        \"label\": \"Portugal\",\n                        \"value\": \"PT\"\n                    },\n                    {\n                        \"label\": \"Puerto Rico\",\n                        \"value\": \"PR\"\n                    },\n                    {\n                        \"label\": \"Qatar\",\n                        \"value\": \"QA\"\n                    },\n                    {\n                        \"label\": \"Republic of Kosovo\",\n                        \"value\": \"XK\"\n                    },\n                    {\n                        \"label\": \"Romania\",\n                        \"value\": \"RO\"\n                    },\n                    {\n                        \"label\": \"Russian Federation\",\n                        \"value\": \"RU\"\n                    },\n                    {\n                        \"label\": \"Saint Kitts and Nevis\",\n                        \"value\": \"KN\"\n                    },\n                    {\n                        \"label\": \"Saint Lucia\",\n                        \"value\": \"LC\"\n                    },\n                    {\n                        \"label\": \"Saint Martin (French part)\",\n                        \"value\": \"MF\"\n                    },\n                    {\n                        \"label\": \"Saint Vincent and the Grenadines\",\n                        \"value\": \"VC\"\n                    },\n                    {\n                        \"label\": \"Samoa\",\n                        \"value\": \"WS\"\n                    },\n                    {\n                        \"label\": \"San Marino\",\n                        \"value\": \"SM\"\n                    },\n                    {\n                        \"label\": \"Saudi Arabia\",\n                        \"value\": \"SA\"\n                    },\n                    {\n                        \"label\": \"Serbia\",\n                        \"value\": \"RS\"\n                    },\n                    {\n                        \"label\": \"Seychelles\",\n                        \"value\": \"SC\"\n                    },\n                    {\n                        \"label\": \"Sierra Leone\",\n                        \"value\": \"SL\"\n                    },\n                    {\n                        \"label\": \"Singapore\",\n                        \"value\": \"SG\"\n                    },\n                    {\n                        \"label\": \"Slovakia\",\n                        \"value\": \"SK\"\n                    },\n                    {\n                        \"label\": \"Slovenia\",\n                        \"value\": \"SI\"\n                    },\n                    {\n                        \"label\": \"South Africa\",\n                        \"value\": \"ZA\"\n                    },\n                    {\n                        \"label\": \"Korea\",\n                        \"value\": \"KR\"\n                    },\n                    {\n                        \"label\": \"South Sudan\",\n                        \"value\": \"SS\"\n                    },\n                    {\n                        \"label\": \"Spain\",\n                        \"value\": \"ES\"\n                    },\n                    {\n                        \"label\": \"Sweden\",\n                        \"value\": \"SE\"\n                    },\n                    {\n                        \"label\": \"Switzerland\",\n                        \"value\": \"CH\"\n                    },\n                    {\n                        \"label\": \"Taiwan\",\n                        \"value\": \"TW\"\n                    },\n                    {\n                        \"label\": \"Tajikistan\",\n                        \"value\": \"TJ\"\n                    },\n                    {\n                        \"label\": \"Tanzania, United Republic of\",\n                        \"value\": \"TZ\"\n                    },\n                    {\n                        \"label\": \"Thailand\",\n                        \"value\": \"TH\"\n                    },\n                    {\n                        \"label\": \"Trinidad and Tobago\",\n                        \"value\": \"TT\"\n                    },\n                    {\n                        \"label\": \"Tunisia\",\n                        \"value\": \"TN\"\n                    },\n                    {\n                        \"label\": \"Turkey\",\n                        \"value\": \"TR\"\n                    },\n                    {\n                        \"label\": \"Turkmenistan\",\n                        \"value\": \"TM\"\n                    },\n                    {\n                        \"label\": \"Turks and Caicos Islands\",\n                        \"value\": \"TC\"\n                    },\n                    {\n                        \"label\": \"United Arab Emirates\",\n                        \"value\": \"AE\"\n                    },\n                    {\n                        \"label\": \"United Kingdom\",\n                        \"value\": \"GB\"\n                    },\n                    {\n                        \"label\": \"United States of America\",\n                        \"value\": \"US\"\n                    },\n                    {\n                        \"label\": \"Uruguay\",\n                        \"value\": \"UY\"\n                    },\n                    {\n                        \"label\": \"Uzbekistan\",\n                        \"value\": \"UZ\"\n                    },\n                    {\n                        \"label\": \"Vanuatu\",\n                        \"value\": \"VU\"\n                    },\n                    {\n                        \"label\": \"Vietnam\",\n                        \"value\": \"VN\"\n                    }\n                ]\n            }\n        ]\n    }\n}"},{"id":"845346aa-fb59-46c1-bbfa-98218e5bf9c5","name":"Get Required Fields [V2] - Business","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryType\": \"business\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"1ae9-BxNl+QB1/j2qy+Kx/6uEtnKWXJs\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a33680h00m10"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"ff5c147a4f24c99a600c504f7cdc7f5f"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"659"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:14:21 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998061.574460,VS0,VE943"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"Beneficiary_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Individual\",\n                        \"value\": \"individual\"\n                    },\n                    {\n                        \"label\": \"Business\",\n                        \"value\": \"business\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Company_Name\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Email\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Payment_Type\",\n                \"Required\": false,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_City\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Postal_Code\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Country\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Albania\",\n                        \"value\": \"AL\"\n                    },\n                    {\n                        \"label\": \"Algeria\",\n                        \"value\": \"DZ\"\n                    },\n                    {\n                        \"label\": \"American Samoa\",\n                        \"value\": \"AS\"\n                    },\n                    {\n                        \"label\": \"Andorra\",\n                        \"value\": \"AD\"\n                    },\n                    {\n                        \"label\": \"Anguilla\",\n                        \"value\": \"AI\"\n                    },\n                    {\n                        \"label\": \"Antarctica\",\n                        \"value\": \"AQ\"\n                    },\n                    {\n                        \"label\": \"Antigua and Barbuda\",\n                        \"value\": \"AG\"\n                    },\n                    {\n                        \"label\": \"Argentina\",\n                        \"value\": \"AR\"\n                    },\n                    {\n                        \"label\": \"Armenia\",\n                        \"value\": \"AM\"\n                    },\n                    {\n                        \"label\": \"Aruba\",\n                        \"value\": \"AW\"\n                    },\n                    {\n                        \"label\": \"Australia\",\n                        \"value\": \"AU\"\n                    },\n                    {\n                        \"label\": \"Austria\",\n                        \"value\": \"AT\"\n                    },\n                    {\n                        \"label\": \"Azerbaijan\",\n                        \"value\": \"AZ\"\n                    },\n                    {\n                        \"label\": \"Bahamas\",\n                        \"value\": \"BS\"\n                    },\n                    {\n                        \"label\": \"Bangladesh\",\n                        \"value\": \"BD\"\n                    },\n                    {\n                        \"label\": \"Barbados\",\n                        \"value\": \"BB\"\n                    },\n                    {\n                        \"label\": \"Belgium\",\n                        \"value\": \"BE\"\n                    },\n                    {\n                        \"label\": \"Belize\",\n                        \"value\": \"BZ\"\n                    },\n                    {\n                        \"label\": \"Bermuda\",\n                        \"value\": \"BM\"\n                    },\n                    {\n                        \"label\": \"Bolivia (Plurinational State of)\",\n                        \"value\": \"BO\"\n                    },\n                    {\n                        \"label\": \"Bosnia and Herzegovina\",\n                        \"value\": \"BA\"\n                    },\n                    {\n                        \"label\": \"Brazil\",\n                        \"value\": \"BR\"\n                    },\n                    {\n                        \"label\": \"British Indian Ocean Territory\",\n                        \"value\": \"IO\"\n                    },\n                    {\n                        \"label\": \"United States Minor Outlying Islands\",\n                        \"value\": \"UM\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (British)\",\n                        \"value\": \"VG\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (U.S.)\",\n                        \"value\": \"VI\"\n                    },\n                    {\n                        \"label\": \"Brunei Darussalam\",\n                        \"value\": \"BN\"\n                    },\n                    {\n                        \"label\": \"Bulgaria\",\n                        \"value\": \"BG\"\n                    },\n                    {\n                        \"label\": \"Cambodia\",\n                        \"value\": \"KH\"\n                    },\n                    {\n                        \"label\": \"Cameroon\",\n                        \"value\": \"CM\"\n                    },\n                    {\n                        \"label\": \"Canada\",\n                        \"value\": \"CA\"\n                    },\n                    {\n                        \"label\": \"Cayman Islands\",\n                        \"value\": \"KY\"\n                    },\n                    {\n                        \"label\": \"Chile\",\n                        \"value\": \"CL\"\n                    },\n                    {\n                        \"label\": \"China\",\n                        \"value\": \"CN\"\n                    },\n                    {\n                        \"label\": \"Colombia\",\n                        \"value\": \"CO\"\n                    },\n                    {\n                        \"label\": \"Comoros\",\n                        \"value\": \"KM\"\n                    },\n                    {\n                        \"label\": \"Cook Islands\",\n                        \"value\": \"CK\"\n                    },\n                    {\n                        \"label\": \"Costa Rica\",\n                        \"value\": \"CR\"\n                    },\n                    {\n                        \"label\": \"Croatia\",\n                        \"value\": \"HR\"\n                    },\n                    {\n                        \"label\": \"CuraÃ§ao\",\n                        \"value\": \"CW\"\n                    },\n                    {\n                        \"label\": \"Cyprus\",\n                        \"value\": \"CY\"\n                    },\n                    {\n                        \"label\": \"Czech Republic\",\n                        \"value\": \"CZ\"\n                    },\n                    {\n                        \"label\": \"Denmark\",\n                        \"value\": \"DK\"\n                    },\n                    {\n                        \"label\": \"Dominica\",\n                        \"value\": \"DM\"\n                    },\n                    {\n                        \"label\": \"Dominican Republic\",\n                        \"value\": \"DO\"\n                    },\n                    {\n                        \"label\": \"Ecuador\",\n                        \"value\": \"EC\"\n                    },\n                    {\n                        \"label\": \"Egypt\",\n                        \"value\": \"EG\"\n                    },\n                    {\n                        \"label\": \"El Salvador\",\n                        \"value\": \"SV\"\n                    },\n                    {\n                        \"label\": \"Estonia\",\n                        \"value\": \"EE\"\n                    },\n                    {\n                        \"label\": \"Falkland Islands (Malvinas)\",\n                        \"value\": \"FK\"\n                    },\n                    {\n                        \"label\": \"Fiji\",\n                        \"value\": \"FJ\"\n                    },\n                    {\n                        \"label\": \"Finland\",\n                        \"value\": \"FI\"\n                    },\n                    {\n                        \"label\": \"France\",\n                        \"value\": \"FR\"\n                    },\n                    {\n                        \"label\": \"French Guiana\",\n                        \"value\": \"GF\"\n                    },\n                    {\n                        \"label\": \"French Polynesia\",\n                        \"value\": \"PF\"\n                    },\n                    {\n                        \"label\": \"Gambia\",\n                        \"value\": \"GM\"\n                    },\n                    {\n                        \"label\": \"Georgia\",\n                        \"value\": \"GE\"\n                    },\n                    {\n                        \"label\": \"Germany\",\n                        \"value\": \"DE\"\n                    },\n                    {\n                        \"label\": \"Ghana\",\n                        \"value\": \"GH\"\n                    },\n                    {\n                        \"label\": \"Gibraltar\",\n                        \"value\": \"GI\"\n                    },\n                    {\n                        \"label\": \"Greece\",\n                        \"value\": \"GR\"\n                    },\n                    {\n                        \"label\": \"Greenland\",\n                        \"value\": \"GL\"\n                    },\n                    {\n                        \"label\": \"Grenada\",\n                        \"value\": \"GD\"\n                    },\n                    {\n                        \"label\": \"Guadeloupe\",\n                        \"value\": \"GP\"\n                    },\n                    {\n                        \"label\": \"Guam\",\n                        \"value\": \"GU\"\n                    },\n                    {\n                        \"label\": \"Guatemala\",\n                        \"value\": \"GT\"\n                    },\n                    {\n                        \"label\": \"Guernsey\",\n                        \"value\": \"GG\"\n                    },\n                    {\n                        \"label\": \"Honduras\",\n                        \"value\": \"HN\"\n                    },\n                    {\n                        \"label\": \"Hong Kong\",\n                        \"value\": \"HK\"\n                    },\n                    {\n                        \"label\": \"Hungary\",\n                        \"value\": \"HU\"\n                    },\n                    {\n                        \"label\": \"Iceland\",\n                        \"value\": \"IS\"\n                    },\n                    {\n                        \"label\": \"India\",\n                        \"value\": \"IN\"\n                    },\n                    {\n                        \"label\": \"Indonesia\",\n                        \"value\": \"ID\"\n                    },\n                    {\n                        \"label\": \"Ireland\",\n                        \"value\": \"IE\"\n                    },\n                    {\n                        \"label\": \"Isle of Man\",\n                        \"value\": \"IM\"\n                    },\n                    {\n                        \"label\": \"Israel\",\n                        \"value\": \"IL\"\n                    },\n                    {\n                        \"label\": \"Italy\",\n                        \"value\": \"IT\"\n                    },\n                    {\n                        \"label\": \"Jamaica\",\n                        \"value\": \"JM\"\n                    },\n                    {\n                        \"label\": \"Japan\",\n                        \"value\": \"JP\"\n                    },\n                    {\n                        \"label\": \"Jersey\",\n                        \"value\": \"JE\"\n                    },\n                    {\n                        \"label\": \"Jordan\",\n                        \"value\": \"JO\"\n                    },\n                    {\n                        \"label\": \"Kazakhstan\",\n                        \"value\": \"KZ\"\n                    },\n                    {\n                        \"label\": \"Kenya\",\n                        \"value\": \"KE\"\n                    },\n                    {\n                        \"label\": \"Kuwait\",\n                        \"value\": \"KW\"\n                    },\n                    {\n                        \"label\": \"Kyrgyzstan\",\n                        \"value\": \"KG\"\n                    },\n                    {\n                        \"label\": \"Lao People's Democratic Republic\",\n                        \"value\": \"LA\"\n                    },\n                    {\n                        \"label\": \"Latvia\",\n                        \"value\": \"LV\"\n                    },\n                    {\n                        \"label\": \"Liechtenstein\",\n                        \"value\": \"LI\"\n                    },\n                    {\n                        \"label\": \"Lithuania\",\n                        \"value\": \"LT\"\n                    },\n                    {\n                        \"label\": \"Luxembourg\",\n                        \"value\": \"LU\"\n                    },\n                    {\n                        \"label\": \"Macao\",\n                        \"value\": \"MO\"\n                    },\n                    {\n                        \"label\": \"Macedonia (the former Yugoslav Republic of)\",\n                        \"value\": \"MK\"\n                    },\n                    {\n                        \"label\": \"Madagascar\",\n                        \"value\": \"MG\"\n                    },\n                    {\n                        \"label\": \"Malaysia\",\n                        \"value\": \"MY\"\n                    },\n                    {\n                        \"label\": \"Maldives\",\n                        \"value\": \"MV\"\n                    },\n                    {\n                        \"label\": \"Mali\",\n                        \"value\": \"ML\"\n                    },\n                    {\n                        \"label\": \"Malta\",\n                        \"value\": \"MT\"\n                    },\n                    {\n                        \"label\": \"Marshall Islands\",\n                        \"value\": \"MH\"\n                    },\n                    {\n                        \"label\": \"Martinique\",\n                        \"value\": \"MQ\"\n                    },\n                    {\n                        \"label\": \"Mauritania\",\n                        \"value\": \"MR\"\n                    },\n                    {\n                        \"label\": \"Mauritius\",\n                        \"value\": \"MU\"\n                    },\n                    {\n                        \"label\": \"Mexico\",\n                        \"value\": \"MX\"\n                    },\n                    {\n                        \"label\": \"Moldova (Republic of)\",\n                        \"value\": \"MD\"\n                    },\n                    {\n                        \"label\": \"Monaco\",\n                        \"value\": \"MC\"\n                    },\n                    {\n                        \"label\": \"Mongolia\",\n                        \"value\": \"MN\"\n                    },\n                    {\n                        \"label\": \"Montenegro\",\n                        \"value\": \"ME\"\n                    },\n                    {\n                        \"label\": \"Montserrat\",\n                        \"value\": \"MS\"\n                    },\n                    {\n                        \"label\": \"Morocco\",\n                        \"value\": \"MA\"\n                    },\n                    {\n                        \"label\": \"Nepal\",\n                        \"value\": \"NP\"\n                    },\n                    {\n                        \"label\": \"Netherlands\",\n                        \"value\": \"NL\"\n                    },\n                    {\n                        \"label\": \"New Zealand\",\n                        \"value\": \"NZ\"\n                    },\n                    {\n                        \"label\": \"Nigeria\",\n                        \"value\": \"NG\"\n                    },\n                    {\n                        \"label\": \"Norway\",\n                        \"value\": \"NO\"\n                    },\n                    {\n                        \"label\": \"Oman\",\n                        \"value\": \"OM\"\n                    },\n                    {\n                        \"label\": \"Pakistan\",\n                        \"value\": \"PK\"\n                    },\n                    {\n                        \"label\": \"Panama\",\n                        \"value\": \"PA\"\n                    },\n                    {\n                        \"label\": \"Paraguay\",\n                        \"value\": \"PY\"\n                    },\n                    {\n                        \"label\": \"Peru\",\n                        \"value\": \"PE\"\n                    },\n                    {\n                        \"label\": \"Philippines\",\n                        \"value\": \"PH\"\n                    },\n                    {\n                        \"label\": \"Poland\",\n                        \"value\": \"PL\"\n                    },\n                    {\n                        \"label\": \"Portugal\",\n                        \"value\": \"PT\"\n                    },\n                    {\n                        \"label\": \"Puerto Rico\",\n                        \"value\": \"PR\"\n                    },\n                    {\n                        \"label\": \"Qatar\",\n                        \"value\": \"QA\"\n                    },\n                    {\n                        \"label\": \"Republic of Kosovo\",\n                        \"value\": \"XK\"\n                    },\n                    {\n                        \"label\": \"Romania\",\n                        \"value\": \"RO\"\n                    },\n                    {\n                        \"label\": \"Russian Federation\",\n                        \"value\": \"RU\"\n                    },\n                    {\n                        \"label\": \"Saint Kitts and Nevis\",\n                        \"value\": \"KN\"\n                    },\n                    {\n                        \"label\": \"Saint Lucia\",\n                        \"value\": \"LC\"\n                    },\n                    {\n                        \"label\": \"Saint Martin (French part)\",\n                        \"value\": \"MF\"\n                    },\n                    {\n                        \"label\": \"Saint Vincent and the Grenadines\",\n                        \"value\": \"VC\"\n                    },\n                    {\n                        \"label\": \"Samoa\",\n                        \"value\": \"WS\"\n                    },\n                    {\n                        \"label\": \"San Marino\",\n                        \"value\": \"SM\"\n                    },\n                    {\n                        \"label\": \"Saudi Arabia\",\n                        \"value\": \"SA\"\n                    },\n                    {\n                        \"label\": \"Serbia\",\n                        \"value\": \"RS\"\n                    },\n                    {\n                        \"label\": \"Seychelles\",\n                        \"value\": \"SC\"\n                    },\n                    {\n                        \"label\": \"Sierra Leone\",\n                        \"value\": \"SL\"\n                    },\n                    {\n                        \"label\": \"Singapore\",\n                        \"value\": \"SG\"\n                    },\n                    {\n                        \"label\": \"Slovakia\",\n                        \"value\": \"SK\"\n                    },\n                    {\n                        \"label\": \"Slovenia\",\n                        \"value\": \"SI\"\n                    },\n                    {\n                        \"label\": \"South Africa\",\n                        \"value\": \"ZA\"\n                    },\n                    {\n                        \"label\": \"Korea\",\n                        \"value\": \"KR\"\n                    },\n                    {\n                        \"label\": \"South Sudan\",\n                        \"value\": \"SS\"\n                    },\n                    {\n                        \"label\": \"Spain\",\n                        \"value\": \"ES\"\n                    },\n                    {\n                        \"label\": \"Sweden\",\n                        \"value\": \"SE\"\n                    },\n                    {\n                        \"label\": \"Switzerland\",\n                        \"value\": \"CH\"\n                    },\n                    {\n                        \"label\": \"Taiwan\",\n                        \"value\": \"TW\"\n                    },\n                    {\n                        \"label\": \"Tajikistan\",\n                        \"value\": \"TJ\"\n                    },\n                    {\n                        \"label\": \"Tanzania, United Republic of\",\n                        \"value\": \"TZ\"\n                    },\n                    {\n                        \"label\": \"Thailand\",\n                        \"value\": \"TH\"\n                    },\n                    {\n                        \"label\": \"Trinidad and Tobago\",\n                        \"value\": \"TT\"\n                    },\n                    {\n                        \"label\": \"Tunisia\",\n                        \"value\": \"TN\"\n                    },\n                    {\n                        \"label\": \"Turkey\",\n                        \"value\": \"TR\"\n                    },\n                    {\n                        \"label\": \"Turkmenistan\",\n                        \"value\": \"TM\"\n                    },\n                    {\n                        \"label\": \"Turks and Caicos Islands\",\n                        \"value\": \"TC\"\n                    },\n                    {\n                        \"label\": \"United Arab Emirates\",\n                        \"value\": \"AE\"\n                    },\n                    {\n                        \"label\": \"United Kingdom\",\n                        \"value\": \"GB\"\n                    },\n                    {\n                        \"label\": \"United States of America\",\n                        \"value\": \"US\"\n                    },\n                    {\n                        \"label\": \"Uruguay\",\n                        \"value\": \"UY\"\n                    },\n                    {\n                        \"label\": \"Uzbekistan\",\n                        \"value\": \"UZ\"\n                    },\n                    {\n                        \"label\": \"Vanuatu\",\n                        \"value\": \"VU\"\n                    },\n                    {\n                        \"label\": \"Vietnam\",\n                        \"value\": \"VN\"\n                    }\n                ]\n            }\n        ]\n    }\n}"}],"_postman_id":"25d63fcc-1e35-46af-b980-712e1aa1d015"},{"name":"Create Beneficiary","event":[{"listen":"test","script":{"id":"bc5ec706-348f-41b0-91c9-2501b536b28f","exec":["var jsonData = pm.response.json();","if(jsonData?.ResponseData?.BeneficiaryId){","    pm.environment.set(\"beneficiaryIDV2\", jsonData.ResponseData.BeneficiaryId);"," }"],"type":"text/javascript","packages":{},"requests":{}}}],"id":"bba7efdf-db84-4b75-82af-782eefcc18cc","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"individual\"\n    },\n    {\n        \"field\": \"Beneficiary_Email\",\n        \"value\": \"john6@mailinator.com\"\n    },\n    {\n        \"field\": \"Beneficiary_Address\",\n        \"value\": \"1437 VIP Road\"\n    },\n    {\n        \"field\": \"Beneficiary_City\",\n        \"value\": \"Agra\"\n    },\n    {\n        \"field\": \"Beneficiary_Postal_Code\",\n        \"value\": \"282001\"\n    },\n    {\n        \"field\": \"Beneficiary_Country\",\n        \"value\": \"IN\"\n    },\n    {\n        \"field\": \"Beneficiary_State\",\n        \"value\": \"UP\"\n    },\n    {\n        \"field\": \"Beneficiary_First_Name\",\n        \"value\": \"Varun\"\n    },\n    {\n        \"field\": \"Beneficiary_Last_Name\",\n        \"value\": \"Upadhayay\"\n    },\n    {\n        \"field\": \"Beneficiary_DOB\",\n        \"value\": \"2000-12-01\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/create","description":"<p>In-order to make transfer it is required to create the beneficiary first. This endpoint creates the beneficiary. Please refer to the examples for creatiing beneficiary with or without virtual account associated with it</p>\n<p>Note: A virtual account will be created if you include the 'Beneficiary_Document' field in the request body and the Virtual Account service is activated for your account.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td><em>fields</em></td>\n<td>Array&lt;<a href=\"#fieldandvalue\">Field And Value</a>&gt;</td>\n<td>true</td>\n<td>--</td>\n<td>fields must be from get required fields endpoint</td>\n</tr>\n</tbody>\n</table>\n</div><p>Note: Use Get Bank Details endpoint to fetch beneficiary bank details using routing number.</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>{  <br />BeneficiaryID: string  <br />}</td>\n<td>--</td>\n<td>--</td>\n<td>Beneficiary ID of the beneficiary created</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","create"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"cc5bf810-c98e-4f08-87e8-89281cd5a602","name":"Create Individual Beneficiary","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"individual\"\n    },\n    {\n        \"field\": \"Beneficiary_Email\",\n        \"value\": \"rishav.u+ind@fvbank.us\"\n    },\n    {\n        \"field\": \"Beneficiary_Address\",\n        \"value\": \"1437 VIP Road\"\n    },\n    {\n        \"field\": \"Beneficiary_City\",\n        \"value\": \"Agra\"\n    },\n    {\n        \"field\": \"Beneficiary_Postal_Code\",\n        \"value\": \"282001\"\n    },\n    {\n        \"field\": \"Beneficiary_Country\",\n        \"value\": \"IN\"\n    },\n    {\n        \"field\": \"Beneficiary_State\",\n        \"value\": \"UP\"\n    },\n    {\n        \"field\": \"Beneficiary_First_Name\",\n        \"value\": \"Rishav\"\n    },\n    {\n        \"field\": \"Beneficiary_Last_Name\",\n        \"value\": \"Upadhayay\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Server","value":"openresty"},{"key":"Date","value":"Wed, 28 May 2025 08:06:52 GMT"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Content-Length","value":"103"},{"key":"Connection","value":"keep-alive"},{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"etag","value":"W/\"67-LlwxQNTsG9EkAwzuk+rXPs81wJ0\""},{"key":"x-execution-time","value":"22957"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"cache-control","value":"private"},{"key":"X-Served-By","value":"local.api.fvbank.us"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"BeneficiaryId\": \"4934710774492212995\"\n    }\n}"},{"id":"43f7badb-fcaa-4374-9b91-17e0289d2965","name":"Create Business Beneficiary","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"business\"\n    },\n    {\n        \"field\": \"Beneficiary_Email\",\n        \"value\": \"rishav.u+bus@fvbank.us\"\n    },\n    {\n        \"field\": \"Beneficiary_Address\",\n        \"value\": \"1437 VIP Road\"\n    },\n    {\n        \"field\": \"Beneficiary_City\",\n        \"value\": \"Agra\"\n    },\n    {\n        \"field\": \"Beneficiary_Postal_Code\",\n        \"value\": \"282001\"\n    },\n    {\n        \"field\": \"Beneficiary_Country\",\n        \"value\": \"IN\"\n    },\n    {\n        \"field\": \"Beneficiary_State\",\n        \"value\": \"UP\"\n    },\n    {\n        \"field\": \"Beneficiary_Company_Name\",\n        \"value\": \"Rishav Inc\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Server","value":"openresty"},{"key":"Date","value":"Wed, 28 May 2025 08:08:19 GMT"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Content-Length","value":"103"},{"key":"Connection","value":"keep-alive"},{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"etag","value":"W/\"67-ZafkPSqbQtLI61B1kTSFmWLC/S0\""},{"key":"x-execution-time","value":"24137"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"cache-control","value":"private"},{"key":"X-Served-By","value":"local.api.fvbank.us"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"BeneficiaryId\": \"4930207174864842499\"\n    }\n}"},{"id":"c7204e0f-30c3-40d8-af0b-ddc120f29006","name":"Create Business Beneficiary with Virtual Account","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"business\"\n    },\n    {\n        \"field\": \"Beneficiary_Email\",\n        \"value\": \"rishav.u+bus_va@fvbank.us\"\n    },\n    {\n        \"field\": \"Beneficiary_Address\",\n        \"value\": \"1437 VIP Road\"\n    },\n    {\n        \"field\": \"Beneficiary_City\",\n        \"value\": \"Agra\"\n    },\n    {\n        \"field\": \"Beneficiary_Postal_Code\",\n        \"value\": \"282001\"\n    },\n    {\n        \"field\": \"Beneficiary_Country\",\n        \"value\": \"IN\"\n    },\n    {\n        \"field\": \"Beneficiary_State\",\n        \"value\": \"UP\"\n    },\n    {\n        \"field\": \"Beneficiary_Company_Name\",\n        \"value\": \"Rishav LLC\"\n    },\n    {\n        \"field\": \"Beneficiary_Document\",\n        \"value\": [\n            {\n                \"field\": \"Document_Type\",\n                \"value\": \"Cretificate_Of_Incorporation\"\n            },\n            {\n                \"field\": \"Document_Number\",\n                \"value\": \"X12345679\"\n            },\n            {\n                \"field\": \"Document_Expiration_Date\",\n                \"value\": \"2027-12-01\"\n            },\n            {\n                \"field\": \"Document_File\",\n                \"value\": \"{{FileId}}\"\n            }\n        ]\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Server","value":"openresty"},{"key":"Date","value":"Wed, 28 May 2025 08:10:50 GMT"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Content-Length","value":"103"},{"key":"Connection","value":"keep-alive"},{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"etag","value":"W/\"67-mNnZOhIC4cMwlOoYAZONpbWu6dI\""},{"key":"x-execution-time","value":"23537"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"cache-control","value":"private"},{"key":"X-Served-By","value":"local.api.fvbank.us"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"BeneficiaryId\": \"4952725173001694979\"\n    }\n}"},{"id":"ca29bf7a-70ed-4dd5-b36f-71b018b88f6d","name":"Create Individual Beneficiary with Virtual Account","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"individual\"\n    },\n    {\n        \"field\": \"Beneficiary_Email\",\n        \"value\": \"john+ind_va@fvbank.us\"\n    },\n    {\n        \"field\": \"Beneficiary_Address\",\n        \"value\": \"1437 VIP Road\"\n    },\n    {\n        \"field\": \"Beneficiary_City\",\n        \"value\": \"Agra\"\n    },\n    {\n        \"field\": \"Beneficiary_Postal_Code\",\n        \"value\": \"282001\"\n    },\n    {\n        \"field\": \"Beneficiary_Country\",\n        \"value\": \"IN\"\n    },\n    {\n        \"field\": \"Beneficiary_State\",\n        \"value\": \"UP\"\n    },\n    {\n        \"field\": \"Beneficiary_First_Name\",\n        \"value\": \"Jon\"\n    },\n    {\n        \"field\": \"Beneficiary_Last_Name\",\n        \"value\": \"Doe\"\n    },\n    {\n        \"field\": \"Beneficiary_Document\",\n        \"value\": [\n            {\n                \"field\": \"ID_Type\",\n                \"value\": \"Driving_License\"\n            },\n            {\n                \"field\": \"ID_Number\",\n                \"value\": \"X12345679\"\n            },\n            {\n                \"field\": \"ID_Expiration_Date\",\n                \"value\": \"2027-12-01\"\n            },\n            {\n                \"field\": \"Front_Document\",\n                \"value\": \"{{FileId}}\"\n            },\n            {\n                \"field\": \"Back_Document\",\n                \"value\": \"-8911389245460361003\"\n            }\n        ]\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Server","value":"openresty"},{"key":"Date","value":"Wed, 28 May 2025 08:19:35 GMT"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Content-Length","value":"103"},{"key":"Connection","value":"keep-alive"},{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"etag","value":"W/\"67-FTYI+mnYY+zuzhsgkZ0zmz2W8J4\""},{"key":"x-execution-time","value":"23151"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"cache-control","value":"private"},{"key":"X-Served-By","value":"local.api.fvbank.us"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"BeneficiaryId\": \"4970739571511176963\"\n    }\n}"}],"_postman_id":"bba7efdf-db84-4b75-82af-782eefcc18cc"},{"name":"Get Required Fields (Add Virtual Account)","id":"52c50952-a6fa-438d-be2b-933ddec93c39","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryType\": \"individual\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/get-required-fields-for-virtual-account","description":"<p>Virtual accounts are a solution that enables account holders to generate unique account numbers for receiving third-party deposits while maintaining centralized fund management. Each virtual account is linked to a specific beneficiary relationship—whether a vendor or customer—and comes with dedicated deposit instructions accessible through web portals, mobile applications, and APIs. When funds are deposited using a virtual account reference, the system automatically routes these payments to the parent account holder's primary USD bank account. This creates a seamless collection mechanism for multiple payment sources without the complexity of managing separate physical bank accounts.</p>\n<p>This endpoint takes in the beneficiary type and returns all the fields required to add a virtual account to an already existing beneficiary</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryType</td>\n<td>string</td>\n<td>true</td>\n<td>Individual, Business</td>\n<td>Type of beneficiary to be created</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>Beneficiary Document (For Business Beneficiary) Or  <br />Beneficiary Document (For Individual Beneficiary)</td>\n<td>--</td>\n<td>--</td>\n<td>List of all the fields required to add the virtual account</td>\n</tr>\n</tbody>\n</table>\n</div><p>Note: Please refer to attached examples for the exact values</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","get-required-fields-for-virtual-account"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"9bd983df-4e12-40ca-a1a8-f8f343c3d419","name":"Get Required Fields [V2] - Individual","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryType\": \"individual\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"1b26-Nx26u7EH3plLXYVjZZ738F95ZIE\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336r8bibu7i"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"360ae44c07184b0cfd0d3dce9aef2c22;o=1"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"1156"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:13:18 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674997997.241653,VS0,VE1446"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"Beneficiary_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Individual\",\n                        \"value\": \"individual\"\n                    },\n                    {\n                        \"label\": \"Business\",\n                        \"value\": \"business\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_First_Name\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Last_Name\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Email\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Payment_Type\",\n                \"Required\": false,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_City\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Postal_Code\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Country\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Albania\",\n                        \"value\": \"AL\"\n                    },\n                    {\n                        \"label\": \"Algeria\",\n                        \"value\": \"DZ\"\n                    },\n                    {\n                        \"label\": \"American Samoa\",\n                        \"value\": \"AS\"\n                    },\n                    {\n                        \"label\": \"Andorra\",\n                        \"value\": \"AD\"\n                    },\n                    {\n                        \"label\": \"Anguilla\",\n                        \"value\": \"AI\"\n                    },\n                    {\n                        \"label\": \"Antarctica\",\n                        \"value\": \"AQ\"\n                    },\n                    {\n                        \"label\": \"Antigua and Barbuda\",\n                        \"value\": \"AG\"\n                    },\n                    {\n                        \"label\": \"Argentina\",\n                        \"value\": \"AR\"\n                    },\n                    {\n                        \"label\": \"Armenia\",\n                        \"value\": \"AM\"\n                    },\n                    {\n                        \"label\": \"Aruba\",\n                        \"value\": \"AW\"\n                    },\n                    {\n                        \"label\": \"Australia\",\n                        \"value\": \"AU\"\n                    },\n                    {\n                        \"label\": \"Austria\",\n                        \"value\": \"AT\"\n                    },\n                    {\n                        \"label\": \"Azerbaijan\",\n                        \"value\": \"AZ\"\n                    },\n                    {\n                        \"label\": \"Bahamas\",\n                        \"value\": \"BS\"\n                    },\n                    {\n                        \"label\": \"Bangladesh\",\n                        \"value\": \"BD\"\n                    },\n                    {\n                        \"label\": \"Barbados\",\n                        \"value\": \"BB\"\n                    },\n                    {\n                        \"label\": \"Belgium\",\n                        \"value\": \"BE\"\n                    },\n                    {\n                        \"label\": \"Belize\",\n                        \"value\": \"BZ\"\n                    },\n                    {\n                        \"label\": \"Bermuda\",\n                        \"value\": \"BM\"\n                    },\n                    {\n                        \"label\": \"Bolivia (Plurinational State of)\",\n                        \"value\": \"BO\"\n                    },\n                    {\n                        \"label\": \"Bosnia and Herzegovina\",\n                        \"value\": \"BA\"\n                    },\n                    {\n                        \"label\": \"Brazil\",\n                        \"value\": \"BR\"\n                    },\n                    {\n                        \"label\": \"British Indian Ocean Territory\",\n                        \"value\": \"IO\"\n                    },\n                    {\n                        \"label\": \"United States Minor Outlying Islands\",\n                        \"value\": \"UM\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (British)\",\n                        \"value\": \"VG\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (U.S.)\",\n                        \"value\": \"VI\"\n                    },\n                    {\n                        \"label\": \"Brunei Darussalam\",\n                        \"value\": \"BN\"\n                    },\n                    {\n                        \"label\": \"Bulgaria\",\n                        \"value\": \"BG\"\n                    },\n                    {\n                        \"label\": \"Cambodia\",\n                        \"value\": \"KH\"\n                    },\n                    {\n                        \"label\": \"Cameroon\",\n                        \"value\": \"CM\"\n                    },\n                    {\n                        \"label\": \"Canada\",\n                        \"value\": \"CA\"\n                    },\n                    {\n                        \"label\": \"Cayman Islands\",\n                        \"value\": \"KY\"\n                    },\n                    {\n                        \"label\": \"Chile\",\n                        \"value\": \"CL\"\n                    },\n                    {\n                        \"label\": \"China\",\n                        \"value\": \"CN\"\n                    },\n                    {\n                        \"label\": \"Colombia\",\n                        \"value\": \"CO\"\n                    },\n                    {\n                        \"label\": \"Comoros\",\n                        \"value\": \"KM\"\n                    },\n                    {\n                        \"label\": \"Cook Islands\",\n                        \"value\": \"CK\"\n                    },\n                    {\n                        \"label\": \"Costa Rica\",\n                        \"value\": \"CR\"\n                    },\n                    {\n                        \"label\": \"Croatia\",\n                        \"value\": \"HR\"\n                    },\n                    {\n                        \"label\": \"CuraÃ§ao\",\n                        \"value\": \"CW\"\n                    },\n                    {\n                        \"label\": \"Cyprus\",\n                        \"value\": \"CY\"\n                    },\n                    {\n                        \"label\": \"Czech Republic\",\n                        \"value\": \"CZ\"\n                    },\n                    {\n                        \"label\": \"Denmark\",\n                        \"value\": \"DK\"\n                    },\n                    {\n                        \"label\": \"Dominica\",\n                        \"value\": \"DM\"\n                    },\n                    {\n                        \"label\": \"Dominican Republic\",\n                        \"value\": \"DO\"\n                    },\n                    {\n                        \"label\": \"Ecuador\",\n                        \"value\": \"EC\"\n                    },\n                    {\n                        \"label\": \"Egypt\",\n                        \"value\": \"EG\"\n                    },\n                    {\n                        \"label\": \"El Salvador\",\n                        \"value\": \"SV\"\n                    },\n                    {\n                        \"label\": \"Estonia\",\n                        \"value\": \"EE\"\n                    },\n                    {\n                        \"label\": \"Falkland Islands (Malvinas)\",\n                        \"value\": \"FK\"\n                    },\n                    {\n                        \"label\": \"Fiji\",\n                        \"value\": \"FJ\"\n                    },\n                    {\n                        \"label\": \"Finland\",\n                        \"value\": \"FI\"\n                    },\n                    {\n                        \"label\": \"France\",\n                        \"value\": \"FR\"\n                    },\n                    {\n                        \"label\": \"French Guiana\",\n                        \"value\": \"GF\"\n                    },\n                    {\n                        \"label\": \"French Polynesia\",\n                        \"value\": \"PF\"\n                    },\n                    {\n                        \"label\": \"Gambia\",\n                        \"value\": \"GM\"\n                    },\n                    {\n                        \"label\": \"Georgia\",\n                        \"value\": \"GE\"\n                    },\n                    {\n                        \"label\": \"Germany\",\n                        \"value\": \"DE\"\n                    },\n                    {\n                        \"label\": \"Ghana\",\n                        \"value\": \"GH\"\n                    },\n                    {\n                        \"label\": \"Gibraltar\",\n                        \"value\": \"GI\"\n                    },\n                    {\n                        \"label\": \"Greece\",\n                        \"value\": \"GR\"\n                    },\n                    {\n                        \"label\": \"Greenland\",\n                        \"value\": \"GL\"\n                    },\n                    {\n                        \"label\": \"Grenada\",\n                        \"value\": \"GD\"\n                    },\n                    {\n                        \"label\": \"Guadeloupe\",\n                        \"value\": \"GP\"\n                    },\n                    {\n                        \"label\": \"Guam\",\n                        \"value\": \"GU\"\n                    },\n                    {\n                        \"label\": \"Guatemala\",\n                        \"value\": \"GT\"\n                    },\n                    {\n                        \"label\": \"Guernsey\",\n                        \"value\": \"GG\"\n                    },\n                    {\n                        \"label\": \"Honduras\",\n                        \"value\": \"HN\"\n                    },\n                    {\n                        \"label\": \"Hong Kong\",\n                        \"value\": \"HK\"\n                    },\n                    {\n                        \"label\": \"Hungary\",\n                        \"value\": \"HU\"\n                    },\n                    {\n                        \"label\": \"Iceland\",\n                        \"value\": \"IS\"\n                    },\n                    {\n                        \"label\": \"India\",\n                        \"value\": \"IN\"\n                    },\n                    {\n                        \"label\": \"Indonesia\",\n                        \"value\": \"ID\"\n                    },\n                    {\n                        \"label\": \"Ireland\",\n                        \"value\": \"IE\"\n                    },\n                    {\n                        \"label\": \"Isle of Man\",\n                        \"value\": \"IM\"\n                    },\n                    {\n                        \"label\": \"Israel\",\n                        \"value\": \"IL\"\n                    },\n                    {\n                        \"label\": \"Italy\",\n                        \"value\": \"IT\"\n                    },\n                    {\n                        \"label\": \"Jamaica\",\n                        \"value\": \"JM\"\n                    },\n                    {\n                        \"label\": \"Japan\",\n                        \"value\": \"JP\"\n                    },\n                    {\n                        \"label\": \"Jersey\",\n                        \"value\": \"JE\"\n                    },\n                    {\n                        \"label\": \"Jordan\",\n                        \"value\": \"JO\"\n                    },\n                    {\n                        \"label\": \"Kazakhstan\",\n                        \"value\": \"KZ\"\n                    },\n                    {\n                        \"label\": \"Kenya\",\n                        \"value\": \"KE\"\n                    },\n                    {\n                        \"label\": \"Kuwait\",\n                        \"value\": \"KW\"\n                    },\n                    {\n                        \"label\": \"Kyrgyzstan\",\n                        \"value\": \"KG\"\n                    },\n                    {\n                        \"label\": \"Lao People's Democratic Republic\",\n                        \"value\": \"LA\"\n                    },\n                    {\n                        \"label\": \"Latvia\",\n                        \"value\": \"LV\"\n                    },\n                    {\n                        \"label\": \"Liechtenstein\",\n                        \"value\": \"LI\"\n                    },\n                    {\n                        \"label\": \"Lithuania\",\n                        \"value\": \"LT\"\n                    },\n                    {\n                        \"label\": \"Luxembourg\",\n                        \"value\": \"LU\"\n                    },\n                    {\n                        \"label\": \"Macao\",\n                        \"value\": \"MO\"\n                    },\n                    {\n                        \"label\": \"Macedonia (the former Yugoslav Republic of)\",\n                        \"value\": \"MK\"\n                    },\n                    {\n                        \"label\": \"Madagascar\",\n                        \"value\": \"MG\"\n                    },\n                    {\n                        \"label\": \"Malaysia\",\n                        \"value\": \"MY\"\n                    },\n                    {\n                        \"label\": \"Maldives\",\n                        \"value\": \"MV\"\n                    },\n                    {\n                        \"label\": \"Mali\",\n                        \"value\": \"ML\"\n                    },\n                    {\n                        \"label\": \"Malta\",\n                        \"value\": \"MT\"\n                    },\n                    {\n                        \"label\": \"Marshall Islands\",\n                        \"value\": \"MH\"\n                    },\n                    {\n                        \"label\": \"Martinique\",\n                        \"value\": \"MQ\"\n                    },\n                    {\n                        \"label\": \"Mauritania\",\n                        \"value\": \"MR\"\n                    },\n                    {\n                        \"label\": \"Mauritius\",\n                        \"value\": \"MU\"\n                    },\n                    {\n                        \"label\": \"Mexico\",\n                        \"value\": \"MX\"\n                    },\n                    {\n                        \"label\": \"Moldova (Republic of)\",\n                        \"value\": \"MD\"\n                    },\n                    {\n                        \"label\": \"Monaco\",\n                        \"value\": \"MC\"\n                    },\n                    {\n                        \"label\": \"Mongolia\",\n                        \"value\": \"MN\"\n                    },\n                    {\n                        \"label\": \"Montenegro\",\n                        \"value\": \"ME\"\n                    },\n                    {\n                        \"label\": \"Montserrat\",\n                        \"value\": \"MS\"\n                    },\n                    {\n                        \"label\": \"Morocco\",\n                        \"value\": \"MA\"\n                    },\n                    {\n                        \"label\": \"Nepal\",\n                        \"value\": \"NP\"\n                    },\n                    {\n                        \"label\": \"Netherlands\",\n                        \"value\": \"NL\"\n                    },\n                    {\n                        \"label\": \"New Zealand\",\n                        \"value\": \"NZ\"\n                    },\n                    {\n                        \"label\": \"Nigeria\",\n                        \"value\": \"NG\"\n                    },\n                    {\n                        \"label\": \"Norway\",\n                        \"value\": \"NO\"\n                    },\n                    {\n                        \"label\": \"Oman\",\n                        \"value\": \"OM\"\n                    },\n                    {\n                        \"label\": \"Pakistan\",\n                        \"value\": \"PK\"\n                    },\n                    {\n                        \"label\": \"Panama\",\n                        \"value\": \"PA\"\n                    },\n                    {\n                        \"label\": \"Paraguay\",\n                        \"value\": \"PY\"\n                    },\n                    {\n                        \"label\": \"Peru\",\n                        \"value\": \"PE\"\n                    },\n                    {\n                        \"label\": \"Philippines\",\n                        \"value\": \"PH\"\n                    },\n                    {\n                        \"label\": \"Poland\",\n                        \"value\": \"PL\"\n                    },\n                    {\n                        \"label\": \"Portugal\",\n                        \"value\": \"PT\"\n                    },\n                    {\n                        \"label\": \"Puerto Rico\",\n                        \"value\": \"PR\"\n                    },\n                    {\n                        \"label\": \"Qatar\",\n                        \"value\": \"QA\"\n                    },\n                    {\n                        \"label\": \"Republic of Kosovo\",\n                        \"value\": \"XK\"\n                    },\n                    {\n                        \"label\": \"Romania\",\n                        \"value\": \"RO\"\n                    },\n                    {\n                        \"label\": \"Russian Federation\",\n                        \"value\": \"RU\"\n                    },\n                    {\n                        \"label\": \"Saint Kitts and Nevis\",\n                        \"value\": \"KN\"\n                    },\n                    {\n                        \"label\": \"Saint Lucia\",\n                        \"value\": \"LC\"\n                    },\n                    {\n                        \"label\": \"Saint Martin (French part)\",\n                        \"value\": \"MF\"\n                    },\n                    {\n                        \"label\": \"Saint Vincent and the Grenadines\",\n                        \"value\": \"VC\"\n                    },\n                    {\n                        \"label\": \"Samoa\",\n                        \"value\": \"WS\"\n                    },\n                    {\n                        \"label\": \"San Marino\",\n                        \"value\": \"SM\"\n                    },\n                    {\n                        \"label\": \"Saudi Arabia\",\n                        \"value\": \"SA\"\n                    },\n                    {\n                        \"label\": \"Serbia\",\n                        \"value\": \"RS\"\n                    },\n                    {\n                        \"label\": \"Seychelles\",\n                        \"value\": \"SC\"\n                    },\n                    {\n                        \"label\": \"Sierra Leone\",\n                        \"value\": \"SL\"\n                    },\n                    {\n                        \"label\": \"Singapore\",\n                        \"value\": \"SG\"\n                    },\n                    {\n                        \"label\": \"Slovakia\",\n                        \"value\": \"SK\"\n                    },\n                    {\n                        \"label\": \"Slovenia\",\n                        \"value\": \"SI\"\n                    },\n                    {\n                        \"label\": \"South Africa\",\n                        \"value\": \"ZA\"\n                    },\n                    {\n                        \"label\": \"Korea\",\n                        \"value\": \"KR\"\n                    },\n                    {\n                        \"label\": \"South Sudan\",\n                        \"value\": \"SS\"\n                    },\n                    {\n                        \"label\": \"Spain\",\n                        \"value\": \"ES\"\n                    },\n                    {\n                        \"label\": \"Sweden\",\n                        \"value\": \"SE\"\n                    },\n                    {\n                        \"label\": \"Switzerland\",\n                        \"value\": \"CH\"\n                    },\n                    {\n                        \"label\": \"Taiwan\",\n                        \"value\": \"TW\"\n                    },\n                    {\n                        \"label\": \"Tajikistan\",\n                        \"value\": \"TJ\"\n                    },\n                    {\n                        \"label\": \"Tanzania, United Republic of\",\n                        \"value\": \"TZ\"\n                    },\n                    {\n                        \"label\": \"Thailand\",\n                        \"value\": \"TH\"\n                    },\n                    {\n                        \"label\": \"Trinidad and Tobago\",\n                        \"value\": \"TT\"\n                    },\n                    {\n                        \"label\": \"Tunisia\",\n                        \"value\": \"TN\"\n                    },\n                    {\n                        \"label\": \"Turkey\",\n                        \"value\": \"TR\"\n                    },\n                    {\n                        \"label\": \"Turkmenistan\",\n                        \"value\": \"TM\"\n                    },\n                    {\n                        \"label\": \"Turks and Caicos Islands\",\n                        \"value\": \"TC\"\n                    },\n                    {\n                        \"label\": \"United Arab Emirates\",\n                        \"value\": \"AE\"\n                    },\n                    {\n                        \"label\": \"United Kingdom\",\n                        \"value\": \"GB\"\n                    },\n                    {\n                        \"label\": \"United States of America\",\n                        \"value\": \"US\"\n                    },\n                    {\n                        \"label\": \"Uruguay\",\n                        \"value\": \"UY\"\n                    },\n                    {\n                        \"label\": \"Uzbekistan\",\n                        \"value\": \"UZ\"\n                    },\n                    {\n                        \"label\": \"Vanuatu\",\n                        \"value\": \"VU\"\n                    },\n                    {\n                        \"label\": \"Vietnam\",\n                        \"value\": \"VN\"\n                    }\n                ]\n            }\n        ]\n    }\n}"},{"id":"728fb41f-2771-49ab-b1e6-89be47bedb1e","name":"Get Required Fields [V2] - Business","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryType\": \"business\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"1ae9-BxNl+QB1/j2qy+Kx/6uEtnKWXJs\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a33680h00m10"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"ff5c147a4f24c99a600c504f7cdc7f5f"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"659"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:14:21 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998061.574460,VS0,VE943"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"Beneficiary_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Individual\",\n                        \"value\": \"individual\"\n                    },\n                    {\n                        \"label\": \"Business\",\n                        \"value\": \"business\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Company_Name\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Email\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Payment_Type\",\n                \"Required\": false,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_City\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Postal_Code\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Country\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Albania\",\n                        \"value\": \"AL\"\n                    },\n                    {\n                        \"label\": \"Algeria\",\n                        \"value\": \"DZ\"\n                    },\n                    {\n                        \"label\": \"American Samoa\",\n                        \"value\": \"AS\"\n                    },\n                    {\n                        \"label\": \"Andorra\",\n                        \"value\": \"AD\"\n                    },\n                    {\n                        \"label\": \"Anguilla\",\n                        \"value\": \"AI\"\n                    },\n                    {\n                        \"label\": \"Antarctica\",\n                        \"value\": \"AQ\"\n                    },\n                    {\n                        \"label\": \"Antigua and Barbuda\",\n                        \"value\": \"AG\"\n                    },\n                    {\n                        \"label\": \"Argentina\",\n                        \"value\": \"AR\"\n                    },\n                    {\n                        \"label\": \"Armenia\",\n                        \"value\": \"AM\"\n                    },\n                    {\n                        \"label\": \"Aruba\",\n                        \"value\": \"AW\"\n                    },\n                    {\n                        \"label\": \"Australia\",\n                        \"value\": \"AU\"\n                    },\n                    {\n                        \"label\": \"Austria\",\n                        \"value\": \"AT\"\n                    },\n                    {\n                        \"label\": \"Azerbaijan\",\n                        \"value\": \"AZ\"\n                    },\n                    {\n                        \"label\": \"Bahamas\",\n                        \"value\": \"BS\"\n                    },\n                    {\n                        \"label\": \"Bangladesh\",\n                        \"value\": \"BD\"\n                    },\n                    {\n                        \"label\": \"Barbados\",\n                        \"value\": \"BB\"\n                    },\n                    {\n                        \"label\": \"Belgium\",\n                        \"value\": \"BE\"\n                    },\n                    {\n                        \"label\": \"Belize\",\n                        \"value\": \"BZ\"\n                    },\n                    {\n                        \"label\": \"Bermuda\",\n                        \"value\": \"BM\"\n                    },\n                    {\n                        \"label\": \"Bolivia (Plurinational State of)\",\n                        \"value\": \"BO\"\n                    },\n                    {\n                        \"label\": \"Bosnia and Herzegovina\",\n                        \"value\": \"BA\"\n                    },\n                    {\n                        \"label\": \"Brazil\",\n                        \"value\": \"BR\"\n                    },\n                    {\n                        \"label\": \"British Indian Ocean Territory\",\n                        \"value\": \"IO\"\n                    },\n                    {\n                        \"label\": \"United States Minor Outlying Islands\",\n                        \"value\": \"UM\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (British)\",\n                        \"value\": \"VG\"\n                    },\n                    {\n                        \"label\": \"Virgin Islands (U.S.)\",\n                        \"value\": \"VI\"\n                    },\n                    {\n                        \"label\": \"Brunei Darussalam\",\n                        \"value\": \"BN\"\n                    },\n                    {\n                        \"label\": \"Bulgaria\",\n                        \"value\": \"BG\"\n                    },\n                    {\n                        \"label\": \"Cambodia\",\n                        \"value\": \"KH\"\n                    },\n                    {\n                        \"label\": \"Cameroon\",\n                        \"value\": \"CM\"\n                    },\n                    {\n                        \"label\": \"Canada\",\n                        \"value\": \"CA\"\n                    },\n                    {\n                        \"label\": \"Cayman Islands\",\n                        \"value\": \"KY\"\n                    },\n                    {\n                        \"label\": \"Chile\",\n                        \"value\": \"CL\"\n                    },\n                    {\n                        \"label\": \"China\",\n                        \"value\": \"CN\"\n                    },\n                    {\n                        \"label\": \"Colombia\",\n                        \"value\": \"CO\"\n                    },\n                    {\n                        \"label\": \"Comoros\",\n                        \"value\": \"KM\"\n                    },\n                    {\n                        \"label\": \"Cook Islands\",\n                        \"value\": \"CK\"\n                    },\n                    {\n                        \"label\": \"Costa Rica\",\n                        \"value\": \"CR\"\n                    },\n                    {\n                        \"label\": \"Croatia\",\n                        \"value\": \"HR\"\n                    },\n                    {\n                        \"label\": \"CuraÃ§ao\",\n                        \"value\": \"CW\"\n                    },\n                    {\n                        \"label\": \"Cyprus\",\n                        \"value\": \"CY\"\n                    },\n                    {\n                        \"label\": \"Czech Republic\",\n                        \"value\": \"CZ\"\n                    },\n                    {\n                        \"label\": \"Denmark\",\n                        \"value\": \"DK\"\n                    },\n                    {\n                        \"label\": \"Dominica\",\n                        \"value\": \"DM\"\n                    },\n                    {\n                        \"label\": \"Dominican Republic\",\n                        \"value\": \"DO\"\n                    },\n                    {\n                        \"label\": \"Ecuador\",\n                        \"value\": \"EC\"\n                    },\n                    {\n                        \"label\": \"Egypt\",\n                        \"value\": \"EG\"\n                    },\n                    {\n                        \"label\": \"El Salvador\",\n                        \"value\": \"SV\"\n                    },\n                    {\n                        \"label\": \"Estonia\",\n                        \"value\": \"EE\"\n                    },\n                    {\n                        \"label\": \"Falkland Islands (Malvinas)\",\n                        \"value\": \"FK\"\n                    },\n                    {\n                        \"label\": \"Fiji\",\n                        \"value\": \"FJ\"\n                    },\n                    {\n                        \"label\": \"Finland\",\n                        \"value\": \"FI\"\n                    },\n                    {\n                        \"label\": \"France\",\n                        \"value\": \"FR\"\n                    },\n                    {\n                        \"label\": \"French Guiana\",\n                        \"value\": \"GF\"\n                    },\n                    {\n                        \"label\": \"French Polynesia\",\n                        \"value\": \"PF\"\n                    },\n                    {\n                        \"label\": \"Gambia\",\n                        \"value\": \"GM\"\n                    },\n                    {\n                        \"label\": \"Georgia\",\n                        \"value\": \"GE\"\n                    },\n                    {\n                        \"label\": \"Germany\",\n                        \"value\": \"DE\"\n                    },\n                    {\n                        \"label\": \"Ghana\",\n                        \"value\": \"GH\"\n                    },\n                    {\n                        \"label\": \"Gibraltar\",\n                        \"value\": \"GI\"\n                    },\n                    {\n                        \"label\": \"Greece\",\n                        \"value\": \"GR\"\n                    },\n                    {\n                        \"label\": \"Greenland\",\n                        \"value\": \"GL\"\n                    },\n                    {\n                        \"label\": \"Grenada\",\n                        \"value\": \"GD\"\n                    },\n                    {\n                        \"label\": \"Guadeloupe\",\n                        \"value\": \"GP\"\n                    },\n                    {\n                        \"label\": \"Guam\",\n                        \"value\": \"GU\"\n                    },\n                    {\n                        \"label\": \"Guatemala\",\n                        \"value\": \"GT\"\n                    },\n                    {\n                        \"label\": \"Guernsey\",\n                        \"value\": \"GG\"\n                    },\n                    {\n                        \"label\": \"Honduras\",\n                        \"value\": \"HN\"\n                    },\n                    {\n                        \"label\": \"Hong Kong\",\n                        \"value\": \"HK\"\n                    },\n                    {\n                        \"label\": \"Hungary\",\n                        \"value\": \"HU\"\n                    },\n                    {\n                        \"label\": \"Iceland\",\n                        \"value\": \"IS\"\n                    },\n                    {\n                        \"label\": \"India\",\n                        \"value\": \"IN\"\n                    },\n                    {\n                        \"label\": \"Indonesia\",\n                        \"value\": \"ID\"\n                    },\n                    {\n                        \"label\": \"Ireland\",\n                        \"value\": \"IE\"\n                    },\n                    {\n                        \"label\": \"Isle of Man\",\n                        \"value\": \"IM\"\n                    },\n                    {\n                        \"label\": \"Israel\",\n                        \"value\": \"IL\"\n                    },\n                    {\n                        \"label\": \"Italy\",\n                        \"value\": \"IT\"\n                    },\n                    {\n                        \"label\": \"Jamaica\",\n                        \"value\": \"JM\"\n                    },\n                    {\n                        \"label\": \"Japan\",\n                        \"value\": \"JP\"\n                    },\n                    {\n                        \"label\": \"Jersey\",\n                        \"value\": \"JE\"\n                    },\n                    {\n                        \"label\": \"Jordan\",\n                        \"value\": \"JO\"\n                    },\n                    {\n                        \"label\": \"Kazakhstan\",\n                        \"value\": \"KZ\"\n                    },\n                    {\n                        \"label\": \"Kenya\",\n                        \"value\": \"KE\"\n                    },\n                    {\n                        \"label\": \"Kuwait\",\n                        \"value\": \"KW\"\n                    },\n                    {\n                        \"label\": \"Kyrgyzstan\",\n                        \"value\": \"KG\"\n                    },\n                    {\n                        \"label\": \"Lao People's Democratic Republic\",\n                        \"value\": \"LA\"\n                    },\n                    {\n                        \"label\": \"Latvia\",\n                        \"value\": \"LV\"\n                    },\n                    {\n                        \"label\": \"Liechtenstein\",\n                        \"value\": \"LI\"\n                    },\n                    {\n                        \"label\": \"Lithuania\",\n                        \"value\": \"LT\"\n                    },\n                    {\n                        \"label\": \"Luxembourg\",\n                        \"value\": \"LU\"\n                    },\n                    {\n                        \"label\": \"Macao\",\n                        \"value\": \"MO\"\n                    },\n                    {\n                        \"label\": \"Macedonia (the former Yugoslav Republic of)\",\n                        \"value\": \"MK\"\n                    },\n                    {\n                        \"label\": \"Madagascar\",\n                        \"value\": \"MG\"\n                    },\n                    {\n                        \"label\": \"Malaysia\",\n                        \"value\": \"MY\"\n                    },\n                    {\n                        \"label\": \"Maldives\",\n                        \"value\": \"MV\"\n                    },\n                    {\n                        \"label\": \"Mali\",\n                        \"value\": \"ML\"\n                    },\n                    {\n                        \"label\": \"Malta\",\n                        \"value\": \"MT\"\n                    },\n                    {\n                        \"label\": \"Marshall Islands\",\n                        \"value\": \"MH\"\n                    },\n                    {\n                        \"label\": \"Martinique\",\n                        \"value\": \"MQ\"\n                    },\n                    {\n                        \"label\": \"Mauritania\",\n                        \"value\": \"MR\"\n                    },\n                    {\n                        \"label\": \"Mauritius\",\n                        \"value\": \"MU\"\n                    },\n                    {\n                        \"label\": \"Mexico\",\n                        \"value\": \"MX\"\n                    },\n                    {\n                        \"label\": \"Moldova (Republic of)\",\n                        \"value\": \"MD\"\n                    },\n                    {\n                        \"label\": \"Monaco\",\n                        \"value\": \"MC\"\n                    },\n                    {\n                        \"label\": \"Mongolia\",\n                        \"value\": \"MN\"\n                    },\n                    {\n                        \"label\": \"Montenegro\",\n                        \"value\": \"ME\"\n                    },\n                    {\n                        \"label\": \"Montserrat\",\n                        \"value\": \"MS\"\n                    },\n                    {\n                        \"label\": \"Morocco\",\n                        \"value\": \"MA\"\n                    },\n                    {\n                        \"label\": \"Nepal\",\n                        \"value\": \"NP\"\n                    },\n                    {\n                        \"label\": \"Netherlands\",\n                        \"value\": \"NL\"\n                    },\n                    {\n                        \"label\": \"New Zealand\",\n                        \"value\": \"NZ\"\n                    },\n                    {\n                        \"label\": \"Nigeria\",\n                        \"value\": \"NG\"\n                    },\n                    {\n                        \"label\": \"Norway\",\n                        \"value\": \"NO\"\n                    },\n                    {\n                        \"label\": \"Oman\",\n                        \"value\": \"OM\"\n                    },\n                    {\n                        \"label\": \"Pakistan\",\n                        \"value\": \"PK\"\n                    },\n                    {\n                        \"label\": \"Panama\",\n                        \"value\": \"PA\"\n                    },\n                    {\n                        \"label\": \"Paraguay\",\n                        \"value\": \"PY\"\n                    },\n                    {\n                        \"label\": \"Peru\",\n                        \"value\": \"PE\"\n                    },\n                    {\n                        \"label\": \"Philippines\",\n                        \"value\": \"PH\"\n                    },\n                    {\n                        \"label\": \"Poland\",\n                        \"value\": \"PL\"\n                    },\n                    {\n                        \"label\": \"Portugal\",\n                        \"value\": \"PT\"\n                    },\n                    {\n                        \"label\": \"Puerto Rico\",\n                        \"value\": \"PR\"\n                    },\n                    {\n                        \"label\": \"Qatar\",\n                        \"value\": \"QA\"\n                    },\n                    {\n                        \"label\": \"Republic of Kosovo\",\n                        \"value\": \"XK\"\n                    },\n                    {\n                        \"label\": \"Romania\",\n                        \"value\": \"RO\"\n                    },\n                    {\n                        \"label\": \"Russian Federation\",\n                        \"value\": \"RU\"\n                    },\n                    {\n                        \"label\": \"Saint Kitts and Nevis\",\n                        \"value\": \"KN\"\n                    },\n                    {\n                        \"label\": \"Saint Lucia\",\n                        \"value\": \"LC\"\n                    },\n                    {\n                        \"label\": \"Saint Martin (French part)\",\n                        \"value\": \"MF\"\n                    },\n                    {\n                        \"label\": \"Saint Vincent and the Grenadines\",\n                        \"value\": \"VC\"\n                    },\n                    {\n                        \"label\": \"Samoa\",\n                        \"value\": \"WS\"\n                    },\n                    {\n                        \"label\": \"San Marino\",\n                        \"value\": \"SM\"\n                    },\n                    {\n                        \"label\": \"Saudi Arabia\",\n                        \"value\": \"SA\"\n                    },\n                    {\n                        \"label\": \"Serbia\",\n                        \"value\": \"RS\"\n                    },\n                    {\n                        \"label\": \"Seychelles\",\n                        \"value\": \"SC\"\n                    },\n                    {\n                        \"label\": \"Sierra Leone\",\n                        \"value\": \"SL\"\n                    },\n                    {\n                        \"label\": \"Singapore\",\n                        \"value\": \"SG\"\n                    },\n                    {\n                        \"label\": \"Slovakia\",\n                        \"value\": \"SK\"\n                    },\n                    {\n                        \"label\": \"Slovenia\",\n                        \"value\": \"SI\"\n                    },\n                    {\n                        \"label\": \"South Africa\",\n                        \"value\": \"ZA\"\n                    },\n                    {\n                        \"label\": \"Korea\",\n                        \"value\": \"KR\"\n                    },\n                    {\n                        \"label\": \"South Sudan\",\n                        \"value\": \"SS\"\n                    },\n                    {\n                        \"label\": \"Spain\",\n                        \"value\": \"ES\"\n                    },\n                    {\n                        \"label\": \"Sweden\",\n                        \"value\": \"SE\"\n                    },\n                    {\n                        \"label\": \"Switzerland\",\n                        \"value\": \"CH\"\n                    },\n                    {\n                        \"label\": \"Taiwan\",\n                        \"value\": \"TW\"\n                    },\n                    {\n                        \"label\": \"Tajikistan\",\n                        \"value\": \"TJ\"\n                    },\n                    {\n                        \"label\": \"Tanzania, United Republic of\",\n                        \"value\": \"TZ\"\n                    },\n                    {\n                        \"label\": \"Thailand\",\n                        \"value\": \"TH\"\n                    },\n                    {\n                        \"label\": \"Trinidad and Tobago\",\n                        \"value\": \"TT\"\n                    },\n                    {\n                        \"label\": \"Tunisia\",\n                        \"value\": \"TN\"\n                    },\n                    {\n                        \"label\": \"Turkey\",\n                        \"value\": \"TR\"\n                    },\n                    {\n                        \"label\": \"Turkmenistan\",\n                        \"value\": \"TM\"\n                    },\n                    {\n                        \"label\": \"Turks and Caicos Islands\",\n                        \"value\": \"TC\"\n                    },\n                    {\n                        \"label\": \"United Arab Emirates\",\n                        \"value\": \"AE\"\n                    },\n                    {\n                        \"label\": \"United Kingdom\",\n                        \"value\": \"GB\"\n                    },\n                    {\n                        \"label\": \"United States of America\",\n                        \"value\": \"US\"\n                    },\n                    {\n                        \"label\": \"Uruguay\",\n                        \"value\": \"UY\"\n                    },\n                    {\n                        \"label\": \"Uzbekistan\",\n                        \"value\": \"UZ\"\n                    },\n                    {\n                        \"label\": \"Vanuatu\",\n                        \"value\": \"VU\"\n                    },\n                    {\n                        \"label\": \"Vietnam\",\n                        \"value\": \"VN\"\n                    }\n                ]\n            }\n        ]\n    }\n}"}],"_postman_id":"52c50952-a6fa-438d-be2b-933ddec93c39"},{"name":"Add Virtual Account","event":[{"listen":"test","script":{"id":"bc5ec706-348f-41b0-91c9-2501b536b28f","exec":["var jsonData = pm.response.json();","if(jsonData?.ResponseData?.BeneficiaryId){","    pm.environment.set(\"beneficiaryIDV2\", jsonData.ResponseData.BeneficiaryId);"," }"],"type":"text/javascript","packages":{},"requests":{}}}],"id":"8773b7d4-b2cf-40fd-b56b-3ea903294f74","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"individual\"\n    },\n    {\n        \"field\": \"Beneficiary_DOB\",\n        \"value\": \"2001-12-01\"\n    },\n    {\n        \"field\": \"Beneficiary_Document\",\n        \"value\": [\n            {\n                \"field\": \"ID_Type\",\n                \"value\": \"Driving_License\"\n            },\n            {\n                \"field\": \"ID_Number\",\n                \"value\": \"X12345679\"\n            },\n            {\n                \"field\": \"ID_Expiration_Date\",\n                \"value\": \"2027-12-01\"\n            },\n            {\n                \"field\": \"Front_Document\",\n                \"value\": \"{{FileId}}\"\n            },\n            {\n                \"field\": \"Back_Document\",\n                \"value\": \"7893575729674628909\"\n            }\n        ]\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/add-virtual-account/{{beneficiaryIDV2}}","description":"<p>This endpoint add a virtual account to an existing beneficiary</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Beneficiary_Document</td>\n<td>Beneficiary Document (For Business Beneficiary)  <br />  <br />Or  <br />  <br />Beneficiary Document (For Individual Beneficiary)</td>\n<td>Yes</td>\n<td>--</td>\n<td>fields must be from get required fields endpoint</td>\n</tr>\n<tr>\n<td>Beneficiary_Type</td>\n<td>Type of Beneficiary</td>\n<td>Yes</td>\n<td>\"individual\" or \"business\"</td>\n<td>--</td>\n</tr>\n<tr>\n<td>Beneficiary_DOB</td>\n<td>Date of Birth of Beneficiary</td>\n<td>Yes (Only For Individual Beneficiary)</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ID_Type</td>\n<td>Individual document type for verification</td>\n<td>Yes (While Adding VAN to individual beneficiary)</td>\n<td>passport, Driving_License</td>\n<td></td>\n</tr>\n<tr>\n<td>Document_Type</td>\n<td>Business's document for verification</td>\n<td>Yes (While Adding VAN to business beneficiary)</td>\n<td>Proof_Of_Business_Registration, Certificate_Of_Incorporation,Business_Registration_Certificate,Articles_Of_Incorporationn,Bylaws,Partnership_Agreements,Operating_Agreement</td>\n<td></td>\n</tr>\n</tbody>\n</table>\n</div><p>Note: Please refer to the attached examples for exact values.</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>Beneficiary Successfully Updated</td>\n<td>--</td>\n<td>--</td>\n<td>Beneficiary ID of the beneficiary created</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","add-virtual-account","{{beneficiaryIDV2}}"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"4fd5b874-0a10-485b-8fd8-6a9044863cf3","name":"Add Virtual Account to Business Beneficiary","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"business\"\n    },\n    {\n        \"field\": \"Beneficiary_Document\",\n        \"value\": [\n            {\n                \"field\": \"Document_Type\",\n                \"value\": \"Cretificate_Of_Incorporation\"\n            },\n            {\n                \"field\": \"Document_Number\",\n                \"value\": \"X12345679\"\n            },\n            {\n                \"field\": \"Document_Expiration_Date\",\n                \"value\": \"2027-12-01\"\n            },\n            {\n                \"field\": \"Document_File\",\n                \"value\": \"{{FileId}}\"\n            }\n        ]\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/add-virtual-account/{{beneficiaryIDV2}}"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Server","value":"openresty"},{"key":"Date","value":"Wed, 28 May 2025 08:29:57 GMT"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Content-Length","value":"98"},{"key":"Connection","value":"keep-alive"},{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"etag","value":"W/\"62-NmsZdnLxNe+yhIU5grxSFWXlKvE\""},{"key":"x-execution-time","value":"9234"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"cache-control","value":"private"},{"key":"X-Served-By","value":"local.api.fvbank.us"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": \"Beneficiary successfully updated\"\n}"},{"id":"7edae235-b0d6-4471-a9a3-5a0360aad10d","name":"Add Virtual Account to Individual Beneficiary","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Beneficiary_Type\",\n        \"value\": \"individual\"\n    },\n    {\n        \"field\": \"Beneficiary_DOB\",\n        \"value\": \"2001-12-01\"\n    },\n    {\n        \"field\": \"Beneficiary_Document\",\n        \"value\": [\n            {\n                \"field\": \"ID_Type\",\n                \"value\": \"Driving_License\"\n            },\n            {\n                \"field\": \"ID_Number\",\n                \"value\": \"X12345679\"\n            },\n            {\n                \"field\": \"ID_Expiration_Date\",\n                \"value\": \"2027-12-01\"\n            },\n            {\n                \"field\": \"Front_Document\",\n                \"value\": \"{{FileId}}\"\n            },\n            {\n                \"field\": \"Back_Document\",\n                \"value\": \"8798799254776098603\"\n            }\n        ]\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/add-virtual-account/{{beneficiaryIDV2}}"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Server","value":"openresty"},{"key":"Date","value":"Wed, 28 May 2025 09:06:09 GMT"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Content-Length","value":"98"},{"key":"Connection","value":"keep-alive"},{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"etag","value":"W/\"62-NmsZdnLxNe+yhIU5grxSFWXlKvE\""},{"key":"x-execution-time","value":"10447"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"cache-control","value":"private"},{"key":"X-Served-By","value":"local.api.fvbank.us"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": \"Beneficiary successfully updated\"\n}"}],"_postman_id":"8773b7d4-b2cf-40fd-b56b-3ea903294f74"},{"name":"List Beneficiaries [V2]","id":"63d669aa-a002-4707-a228-6d78f76cedc3","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 10\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/list","description":"<p>Returns all the active beneficiaries that are added with the merchant account.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>PageNumber</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>When results are paginated, this field can be used to obtain the results for the required page number</td>\n</tr>\n<tr>\n<td>PageSize</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>Default PageSize is 40. This can be used to increase or decrease the number of records in a page</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#beneficiaryDetails\">Beneficiaries List</a></td>\n<td></td>\n<td>List of all the beneficiary of the client</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","list"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"835d5055-777b-4116-82fb-a224afa2f1cf","name":"List Beneficiaries [V2]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 100\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/list"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"38d3-zwH/Za5Blr3SJyZkojzq0xc38gY\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336j4yhdt44"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"fa2f7fecd7fc6ac5659a62717c422d1d"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"524"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:15:47 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998146.415293,VS0,VE805"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Data\": [\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-19T07:30:20.802-04:00\",\n                \"Id\": \"9005964837635141461\",\n                \"Beneficiary_Email\": \"test.three@yopmail.com\",\n                \"Beneficiary_Status\": \"Disabled: Disabled by Compliance\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Johnie Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-19T07:28:01.510-04:00\",\n                \"Id\": \"8974439640243547989\",\n                \"Beneficiary_Email\": \"test.three@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"John Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-19T05:48:19.292-04:00\",\n                \"Id\": \"8942914442851954517\",\n                \"Beneficiary_Email\": \"rishav.office2@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Jon1 Doe2\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-19T05:46:58.293-04:00\",\n                \"Id\": \"8947418042479325013\",\n                \"Beneficiary_Email\": \"rishav.office1@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Jon1 Doe2\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-19T01:04:33.553-04:00\",\n                \"Id\": \"8924900044342472533\",\n                \"Beneficiary_Email\": \"rishav.office@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Jon Doe\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-16T06:58:32.800-04:00\",\n                \"Id\": \"6182207871273840469\",\n                \"Beneficiary_Email\": \"rishav.911@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"asd aasdfdasfdasfdsfsdfsadfdasf\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-16T06:40:27.484-04:00\",\n                \"Id\": \"6186711470901210965\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"asd asdsad\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-15T09:57:13.911-04:00\",\n                \"Id\": \"5826423500711571285\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-cu\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-14T03:37:43.586-04:00\",\n                \"Id\": \"5060811564058586965\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-c\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-13T01:42:49.290-04:00\",\n                \"Id\": \"4718537992378429269\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-coffe\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-12T06:25:26.026-04:00\",\n                \"Id\": \"4020480050136002389\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-coffee\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-09T01:26:12.984-04:00\",\n                \"Id\": \"2705428958943817557\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-TRF\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-07T02:20:20.493-04:00\",\n                \"Id\": \"3290896910501982037\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-Trd\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-07T01:01:24.312-04:00\",\n                \"Id\": \"3245860914228277077\",\n                \"Beneficiary_Email\": \"rishav.0727@gmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Earnest-Test\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-08-25T05:44:38.747-04:00\",\n                \"Id\": \"8154784508062117716\",\n                \"Beneficiary_Email\": \"rishav@solultima.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"American Samoa\",\n                \"Beneficiary_Name\": \"test_company\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-08-25T02:44:03.852-04:00\",\n                \"Id\": \"9136569226828885844\",\n                \"Beneficiary_Email\": \"rishav@solultima.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"India\",\n                \"Beneficiary_Name\": \"Individual_International_Wire Doe\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-08-25T02:28:13.222-04:00\",\n                \"Id\": \"9141072826456256340\",\n                \"Beneficiary_Email\": \"rishav@solultima.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"India\",\n                \"Beneficiary_Name\": \"Individual_Benefeciary_DOMESTIC_ACH Doe\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-07-20T04:59:22.541-04:00\",\n                \"Id\": \"6002063886179020628\",\n                \"Beneficiary_Email\": \"test.three@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"John Jacob\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-24T06:47:22.917-04:00\",\n                \"Id\": \"4804106385298468692\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Company Name\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-24T06:43:04.695-04:00\",\n                \"Id\": \"4786091986788986708\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"First Name Last Name\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T08:03:02.151-04:00\",\n                \"Id\": \"4637473199085760340\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:55:53.924-04:00\",\n                \"Id\": \"4641976798713130836\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:55:09.360-04:00\",\n                \"Id\": \"4646480398340501332\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:54:31.457-04:00\",\n                \"Id\": \"4614955200948907860\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:31:51.376-04:00\",\n                \"Id\": \"4619458800576278356\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:31:35.090-04:00\",\n                \"Id\": \"4623962400203648852\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:26:07.255-04:00\",\n                \"Id\": \"4741055990515281748\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:25:55.438-04:00\",\n                \"Id\": \"4745559590142652244\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T07:08:51.819-04:00\",\n                \"Id\": \"4750063189770022740\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T06:59:41.048-04:00\",\n                \"Id\": \"4754566789397393236\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T06:58:14.979-04:00\",\n                \"Id\": \"4723041592005799764\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-23T06:01:26.248-04:00\",\n                \"Id\": \"5682308312635715412\",\n                \"Beneficiary_Email\": \"test.two@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Joe Rogan\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-20T02:52:24.985-04:00\",\n                \"Id\": \"5475142729776672596\",\n                \"Beneficiary_Email\": \"test@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Anguilla\",\n                \"Beneficiary_Name\": \"Test Test\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-16T02:33:07.383-04:00\",\n                \"Id\": \"5331027541700816724\",\n                \"Beneficiary_Email\": \"test@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Belgium\",\n                \"Beneficiary_Name\": \"rishav test\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-16T01:08:15.732-04:00\",\n                \"Id\": \"5299502344309223252\",\n                \"Beneficiary_Email\": \"rishav@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Belgium\",\n                \"Beneficiary_Name\": \"rishav rishav\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-16T00:46:31.616-04:00\",\n                \"Id\": \"5304005943936593748\",\n                \"Beneficiary_Email\": \"rishav@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Antarctica\",\n                \"Beneficiary_Name\": \"test test\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-16T00:43:45.863-04:00\",\n                \"Id\": \"5308509543563964244\",\n                \"Beneficiary_Email\": \"rishav@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Belgium\",\n                \"Beneficiary_Name\": \"Rishav Rishav\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-15T06:28:17.635-04:00\",\n                \"Id\": \"3894379260569628500\",\n                \"Beneficiary_Email\": \"test@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Algeria\",\n                \"Beneficiary_Name\": \"test test_last\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-07T06:54:29.623-04:00\",\n                \"Id\": \"3493558893733654356\",\n                \"Beneficiary_Email\": \"c@mailinator.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Algeria\",\n                \"Beneficiary_Name\": \"company_name\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-07T06:53:20.907-04:00\",\n                \"Id\": \"3462033696342060884\",\n                \"Beneficiary_Email\": \"test_name@mailinator.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Algeria\",\n                \"Beneficiary_Name\": \"test_name test_name\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-07T06:27:43.058-04:00\",\n                \"Id\": \"3466537295969431380\",\n                \"Beneficiary_Email\": \"c@mailinator.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Algeria\",\n                \"Beneficiary_Name\": \"compay_name\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-07T06:26:36.467-04:00\",\n                \"Id\": \"3471040895596801876\",\n                \"Beneficiary_Email\": \"first_name@mailinator.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Algeria\",\n                \"Beneficiary_Name\": \"first_name first_name\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-07T06:17:04.122-04:00\",\n                \"Id\": \"3588134485908434772\",\n                \"Beneficiary_Email\": \"ben@mailinator.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Ben test\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-06-07T05:19:11.558-04:00\",\n                \"Id\": \"3574623687026323284\",\n                \"Beneficiary_Email\": \"Benef_7_@mailinator\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"India\",\n                \"Beneficiary_Name\": \"Benef_7_ June\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-24T04:55:32.531-04:00\",\n                \"Id\": \"1624565048374898516\",\n                \"Beneficiary_Email\": \"testemail\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"companyanme\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-24T04:49:42.011-04:00\",\n                \"Id\": \"1629068648002269012\",\n                \"Beneficiary_Email\": \"email\",\n                \"Beneficiary_Status\": \"Disabled: Reject by Compliance\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Andorra\",\n                \"Beneficiary_Name\": \"company\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-24T04:05:19.696-04:00\",\n                \"Id\": \"1593039850983305044\",\n                \"Beneficiary_Email\": \"rishav\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Business\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Test Company\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-24T03:02:52.860-04:00\",\n                \"Id\": \"1674104644275973972\",\n                \"Beneficiary_Email\": \"rishav_test\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Individual_International_Wire\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-24T02:45:44.161-04:00\",\n                \"Id\": \"1493960659181154132\",\n                \"Beneficiary_Email\": \"rishav_24test\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"Albania\",\n                \"Beneficiary_Name\": \"Rishav Upadhayay\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-22T06:39:11.384-04:00\",\n                \"Id\": \"2228047398442544980\",\n                \"Beneficiary_Email\": \"sri.ganesha@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Sri Madhanva\"\n            },\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-05-22T06:02:54.730-04:00\",\n                \"Id\": \"2232550998069915476\",\n                \"Beneficiary_Email\": \"sri.ganesha@yopmail.com\",\n                \"Beneficiary_Status\": \"Active\",\n                \"Beneficiary_Type\": \"Individual\",\n                \"Beneficiary_Country\": \"United States of America\",\n                \"Beneficiary_Name\": \"Sri Ganesha\"\n            }\n        ],\n        \"PageNumber\": 1,\n        \"PageSize\": 100,\n        \"TotalCount\": 51\n    }\n}"}],"_postman_id":"63d669aa-a002-4707-a228-6d78f76cedc3"},{"name":"Get Beneficiary Details [V2]","id":"a00c2ceb-6d71-418a-9d6b-cda60c072708","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/beneficiary/{{beneficiaryIDV2}}","description":"<p>To get the details of a beneficiary.</p>\n<h2 id=\"path-variables\">Path Variables</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>beneficiaryId</td>\n<td>string</td>\n<td>true</td>\n<td>--</td>\n<td>ID of the beneficiary</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#BeneficiaryDetails\">Beneficiary Details</a></td>\n<td></td>\n<td>Details of the beneficiary</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","{{beneficiaryIDV2}}"],"host":["{{baseURL}}"],"query":[{"disabled":true,"key":"","value":null}],"variable":[]}},"response":[{"id":"842a56cd-0cec-4941-a8d1-3f551aed6f96","name":"Get Beneficiary Details [V2]","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/v2/beneficiary/{{beneficiaryIDV2}}","host":["{{baseURL}}"],"path":["v2","beneficiary","{{beneficiaryIDV2}}"],"query":[{"key":"","value":null,"type":"text","disabled":true}]}},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Cache-Control","value":"private"},{"key":"Content-Encoding","value":"gzip"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"4c7-epRIvjTmf708R3+AKJR5hsO41Jc\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a3366adjv9iq"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"13279ff40dfcb59f911dddb1fdf33420;o=1"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"1639"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:16:33 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998191.499126,VS0,VE1946"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"transfer-encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"CreatedBy\": \"Rishav_Business - Rishav\",\n        \"CreatedOn\": \"2022-12-19T07:30:20.802-04:00\",\n        \"BeneficiaryId\": \"9005964837635141461\",\n        \"Available_Payments_Type\": [\n            {\n                \"label\": \"Withdraw (ETH)\",\n                \"value\": \"BUS_ETH_Account.Payment_ETH\",\n                \"PaymentInstrumentIDs\": [\n                    \"228449163890044758\"\n                ]\n            },\n            {\n                \"label\": \"Payment - International Wire\",\n                \"value\": \"BUS_USD_Account.BUS_International_Transfer\",\n                \"PaymentInstrumentIDs\": [\n                    \"8141273709180006229\",\n                    \"8114252111415783253\"\n                ]\n            },\n            {\n                \"label\": \"Payment - Domestic (ACH)\",\n                \"value\": \"BUS_USD_Account.Business_ACH\",\n                \"PaymentInstrumentIDs\": [\n                    \"9136569226828885845\",\n                    \"9172598023847849813\",\n                    \"9181605223102590805\"\n                ]\n            },\n            {\n                \"label\": \"Payment - Domestic Wire\",\n                \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\",\n                \"PaymentInstrumentIDs\": [\n                    \"9145576426083626837\",\n                    \"9213130420494184277\",\n                    \"9199619621612072789\"\n                ]\n            }\n        ],\n        \"Beneficiary_Type\": \"Individual\",\n        \"Beneficiary_Name\": \"Johnie Rogan\",\n        \"Beneficiary_First_Name\": \"Johnie\",\n        \"Beneficiary_Last_Name\": \"Rogan\",\n        \"Beneficiary_Email\": \"test.three@yopmail.com\",\n        \"Beneficiary_Status\": \"Disabled: Disabled by Compliance\",\n        \"Beneficiary_Address\": \"Main Street, Second Main\",\n        \"Beneficiary_City\": \"Bengaluru\",\n        \"Beneficiary_Postal_Code\": \"560084\",\n        \"Beneficiary_Country\": \"United States of America\"\n    }\n}"},{"id":"090e786d-a1c9-4cd2-bb2d-95d2e9342356","name":"Get Beneficiary Details [V2] VAN","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/v2/beneficiary/{{beneficiaryIDV2}}","host":["{{baseURL}}"],"path":["v2","beneficiary","{{beneficiaryIDV2}}"],"query":[{"key":"","value":null,"type":"text","disabled":true}]}},"status":"OK","code":200,"_postman_previewlanguage":null,"header":[{"key":"access-control-allow-credentials","value":"true"},{"key":"cache-control","value":"private"},{"key":"content-encoding","value":"gzip"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"etag","value":"W/\"74f-dP0x34/3vwjD57RsTAezAKKHHmw\""},{"key":"expect-ct","value":"max-age=0"},{"key":"function-execution-id","value":"vg2qz5f14mhq"},{"key":"origin-agent-cluster","value":"?1"},{"key":"referrer-policy","value":"no-referrer"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-cloud-trace-context","value":"4b83dbf89df1ef9cecd8c0b35453a654;o=1"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-country-code","value":"US"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"x-download-options","value":"noopen"},{"key":"x-execution-time","value":"1608"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"x-powered-by","value":"Express"},{"key":"x-xss-protection","value":"0"},{"key":"accept-ranges","value":"bytes"},{"key":"date","value":"Tue, 16 Sep 2025 11:09:11 GMT"},{"key":"x-served-by","value":"cache-chi-klot8100093-CHI"},{"key":"x-cache","value":"MISS"},{"key":"x-cache-hits","value":"0"},{"key":"x-timer","value":"S1758020950.644242,VS0,VE1673"},{"key":"vary","value":"Origin, Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"alt-svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"x-request-id","value":"ae401da8-b231-482e-aaa2-ebc74796f5c9"},{"key":"via","value":"1.1 google, 1.1 google"},{"key":"Alt-Svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"Transfer-Encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"CreatedBy\": \"Zomato - Rishav\",\n        \"CreatedOn\": \"2025-07-10T09:05:16.431-04:00\",\n        \"BeneficiaryId\": \"-1654055480350822652\",\n        \"Available_Payments_Type\": [],\n        \"Beneficiary_Type\": \"Individual\",\n        \"Beneficiary_Name\": \"Varun 1 Upadhayay 2\",\n        \"Beneficiary_First_Name\": \"Varun 1\",\n        \"Beneficiary_Last_Name\": \"Upadhayay 2\",\n        \"Beneficiary_Email\": \"varun+1@mailinator.com\",\n        \"Beneficiary_Status\": \"Active\",\n        \"undefined\": false,\n        \"ID_Document\": \"Beneficiary ID Document (-1649551880723452156)\",\n        \"Beneficiary_Country\": \"India\",\n        \"Beneficiary_State\": \"UP\",\n        \"Beneficiary_City\": \"Agra\",\n        \"Beneficiary_Address\": \"1437 VIP Road\",\n        \"Beneficiary_Postal_Code\": \"282001\",\n        \"Virtual_Account\": {\n            \"Account_Number\": \"780008000074\",\n            \"Deposit_Instructions\": [\n                {\n                    \"Title\": \"Domestic Wire Deposit\",\n                    \"Type\": \"Domestic Wire\",\n                    \"Note\": \"Domestic Wire - Please use these instructions for any wires within the United States. You will need to provide this information to the bank that is sending the wire to your FV Bank Account. You must provide the Reference for your FV Bank account in the Reference/Memo Field.\",\n                    \"Receiving Bank Name\": \"Cornerstone Capital Bank\",\n                    \"Receiving Bank Address\": \"1177 West Loop South, Suite 700, Houston, TX 77027\",\n                    \"Routing Number/ABA\": \"111326275\",\n                    \"Beneficiary Name\": \"FV Bank International Inc.\",\n                    \"Beneficiary Address\": \"270 Muñoz Rivera Avenue, Suite 1120, San Juan, PR 00918\",\n                    \"Beneficiary Account Number\": \"100107427\",\n                    \"Reference/Memo #\": \"780008000074\",\n                    \"Gateway\": \"cornerstone\"\n                },\n                {\n                    \"Title\": \"USDC Stablecoin Deposit\",\n                    \"Type\": \"USDC Stablecoin\",\n                    \"Note\": \"Deposits must be transferred on the ETH Blockchain. Any asset other than USDC sent to this address will not reach FV Bank and will be lost. Lost transfers may not be recoverable.\",\n                    \"Deposit Address\": \"Deposit Address request was successful. Your Deposit Address will be available shortly!\",\n                    \"Currency\": \"USDC\",\n                    \"Stablecoin Network\": \"ETH\"\n                }\n            ]\n        }\n    }\n}"},{"id":"2faa4611-a1e2-400b-a4e2-f35ef54d5dff","name":"Get Beneficiary Details [V2] [Business]","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/v2/beneficiary/{{beneficiaryIDV2}}","host":["{{baseURL}}"],"path":["v2","beneficiary","{{beneficiaryIDV2}}"],"query":[{"key":"","value":null,"type":"text","disabled":true}]}},"status":"OK","code":200,"_postman_previewlanguage":null,"header":[{"key":"access-control-allow-credentials","value":"true"},{"key":"cache-control","value":"private"},{"key":"content-encoding","value":"gzip"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"etag","value":"W/\"626-fuIXaQECRjdvxrhEBeUFUaXeJFc\""},{"key":"expect-ct","value":"max-age=0"},{"key":"function-execution-id","value":"joavl74a2pz7"},{"key":"origin-agent-cluster","value":"?1"},{"key":"referrer-policy","value":"no-referrer"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-cloud-trace-context","value":"5c9e188c076aa65f8e01a92306ff5268"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-country-code","value":"US"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"x-download-options","value":"noopen"},{"key":"x-execution-time","value":"723"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"x-powered-by","value":"Express"},{"key":"x-xss-protection","value":"0"},{"key":"accept-ranges","value":"bytes"},{"key":"date","value":"Wed, 04 Feb 2026 12:39:17 GMT"},{"key":"x-served-by","value":"cache-chi-klot8100020-CHI"},{"key":"x-cache","value":"MISS"},{"key":"x-cache-hits","value":"0"},{"key":"x-timer","value":"S1770208756.408850,VS0,VE770"},{"key":"vary","value":"Origin, Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"alt-svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"x-request-id","value":"009b2833-233f-49c1-a3bf-4f3f3a400aa4"},{"key":"via","value":"1.1 google, 1.1 google"},{"key":"Alt-Svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"Transfer-Encoding","value":"chunked"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"CreatedBy\": \"Zomato - Rishav\",\n        \"CreatedOn\": \"2025-05-20T12:49:10.517-04:00\",\n        \"BeneficiaryId\": \"4894178377845878531\",\n        \"Available_Payments_Type\": [\n            {\n                \"label\": \"Payment - Domestic Wire\",\n                \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\",\n                \"PaymentInstrumentIDs\": [\n                    \"-5549669158026301692\"\n                ]\n            }\n        ],\n        \"Beneficiary_Type\": \"Business\",\n        \"Beneficiary_Name\": \"Tech Company Test 4\",\n        \"Beneficiary_Company_Name\": \"Tech Company Test 4\",\n        \"Beneficiary_Status\": \"Active\",\n        \"undefined\": false,\n        \"Business_Document\": \"Beneficiary Business Document (4898681977473249027)\",\n        \"Beneficiary_Country\": \"United States of America\",\n        \"Beneficiary_State\": \"CA\",\n        \"Beneficiary_City\": \"Beverly Hills\",\n        \"Beneficiary_Address\": \"514 Two Rivers Bike Trail\",\n        \"Beneficiary_Postal_Code\": \"90221\",\n        \"Virtual_Account\": {\n            \"Account_Number\": \"780008000006\",\n            \"Deposit_Instructions\": [\n                {\n                    \"Title\": \"Domestic Wire Deposit\",\n                    \"Type\": \"Domestic Wire\",\n                    \"Note\": \"Domestic Wire - Please use these instructions for any wires within the United States. You will need to provide this information to the bank that is sending the wire to your FV Bank Account. You must provide the Reference for your FV Bank account in the Reference/Memo Field.\",\n                    \"Receiving Bank Name\": \"Cornerstone Capital Bank\",\n                    \"Receiving Bank Address\": \"1177 West Loop South, Suite 700, Houston, TX 77027\",\n                    \"Routing Number/ABA\": \"111326275\",\n                    \"Beneficiary Name\": \"FV Bank International Inc.\",\n                    \"Beneficiary Address\": \"270 Muñoz Rivera Avenue, Suite 1120, San Juan, PR 00918\",\n                    \"Beneficiary Account Number\": \"100107427\",\n                    \"Reference/Memo #\": \"780008000006\",\n                    \"Gateway\": \"cornerstone\"\n                }\n            ]\n        }\n    }\n}"}],"_postman_id":"a00c2ceb-6d71-418a-9d6b-cda60c072708"},{"name":"Change Status","id":"05d4cd0c-68d8-46ce-8ffe-e43b2bb68c65","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":" {\n        \"BeneficiaryId\": \"{{beneficiaryIDV2}}\",\n        \"Status\": \"Disable\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/change-status","description":"<p>This endpoint is used to change status of a beneficiary.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryID</td>\n<td>String</td>\n<td>--</td>\n<td>Beneficiary ID</td>\n</tr>\n<tr>\n<td>Status</td>\n<td>string</td>\n<td>Active, Disable</td>\n<td>Status of the beneficiary</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>Object</td>\n<td>--</td>\n<td>--</td>\n<td>Message</td>\n</tr>\n</tbody>\n</table>\n</div><p>Note: \"Permission Denied\" message is returned with status code 400 when \"Status\" in request body is same as the beneficiary status.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1","id":"d011a139-497a-4023-810f-e855a2b6cbb1","name":"Beneficiary","type":"folder"}},"urlObject":{"path":["v2","beneficiary","change-status"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"a4a96098-6da8-45ad-a154-876e228e5065","name":"Change Status [Enable]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":" {\n        \"BeneficiaryId\": \"{{beneficiaryIDV2}}\",\n        \"Status\": \"Active\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/change-status"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"125"},{"key":"etag","value":"W/\"7d-ltQTCG9BD7gLU6koSV+BMpZiICo\""},{"key":"x-execution-time","value":"11605"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Tue, 10 Jan 2023 07:36:09 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": \"Beneficiary has been enabled for transactions successfully.\"\n}"},{"id":"83e08018-3e61-4907-883b-b896576af6ef","name":"Change Status [Disable]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":" {\n        \"BeneficiaryId\": \"{{beneficiaryIDV2}}\",\n        \"Status\": \"Disable\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/change-status"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"126"},{"key":"etag","value":"W/\"7e-w6n4xiKyJ+JzIJ/BS7VEB5HXjpg\""},{"key":"x-execution-time","value":"6143"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Tue, 10 Jan 2023 07:36:59 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": \"Beneficiary has been disabled for transactions successfully.\"\n}"}],"_postman_id":"05d4cd0c-68d8-46ce-8ffe-e43b2bb68c65"}],"id":"d011a139-497a-4023-810f-e855a2b6cbb1","description":"<p>In order to initiate a bank transfer, a beneficiary must be added first. This sections consists of endpoints to work with the beneficiaries</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"6785c0c4-7006-4403-abf2-ea4904e9632d","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"59c6596d-2cb5-463b-89f9-4a77c0860925","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"d011a139-497a-4023-810f-e855a2b6cbb1"},{"name":"Payment Instrument","item":[{"name":"Get Required Fields [V2]","id":"83a34289-206c-40b8-872a-3b9258926c92","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_USD_Account.Stablecoin_Withdraw\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields","description":"<p>This endpoint is used to get all the fields that are needed to create a payment instrument based on the payment type.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>PaymentType</td>\n<td>string</td>\n<td>true</td>\n<td>Get values from Get Payment Types endpoints</td>\n<td>Payment type for the payment instrument</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>object</td>\n<td>--</td>\n<td>--</td>\n<td>List of all the fields required to create the payment instrument</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"863636f7-0488-42ae-834c-dc60b97a8390","id":"863636f7-0488-42ae-834c-dc60b97a8390","name":"Payment Instrument","type":"folder"}},"urlObject":{"path":["v2","payment-instrument","get-required-fields"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"7c491f92-0917-4132-beeb-ed4264c9cb15","name":"Get Required Fields [V2] - Withdraw ETH","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_ETH_Account.Payment_ETH\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"602"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"25a-k2fFlYyeYIoI1XxmI4gzXIk0AX0\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336gv8mpaof"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"21be493bb2f56c1bd6d7323ec9307199"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"751"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Refresh-Token","value":"eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJTZXNzaW9uVG9rZW4iOiIxOGJhYTgwYTA1Y2YwMThiYjQzZjUxYWYwMzA3MGEzYTYyMWFlZmVlZWRiZDgwMzAzM2ZmZmRjYTFmOWE1Njg3RmFhWC9LUk1qV013RnU2aDdEcHN0SFhHTHFLUmRDdzNZYXVjWEVKUkhxdWppNXp6aDV3cHViUUVFTVpBRVVDUTVrekwyamEyRzIxOG5xOTVFRkFmd2tJZ2tla3NYdmYveUZqQ2M0cERaMzk3MVJtKzlqa2VjUnM0QXFHdFN6K3hDOUxPN2tZaXVYb3JWS1pjcm9VenVIdUF3bE53ZkJ1Rm84cENqT0xNdkM2QzhNMkwyREp2VFNjbTN0akNYZ1lWSlZndklSYjAvRjAySHg3MG84dmVnZnFXKzdHT2FZMDVYSGJtN0d0U1dTRlhGOEMrcFR6bUJudk9QZDJBbWQ0R1RGMDdiZEh0VlF3UHNGRDVpMExSeUE9PSIsIkNsaWVudElEIjoiZmYwZDZmODktYWM2YS00ZGYyLWJlZGItMWY1ZWExNDllMmNmIiwiQ2xpZW50SVAiOiI0OS40My4xNTMuMTUyIiwiaWF0IjoxNjc0OTk4MzczLCJleHAiOjE2NzQ5OTkyNzN9.fDi6BcxEml0L3Q2t_LjkEg5RbEo5WozSLGBGK55tJOM"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:19:33 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998372.439819,VS0,VE1056"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Withdraw (BTC)\",\n                        \"value\": \"BUS_BTC_Account.Payment_BTC\"\n                    },\n                    {\n                        \"label\": \"Withdraw (ETH)\",\n                        \"value\": \"BUS_ETH_Account.Payment_ETH\"\n                    },\n                    {\n                        \"label\": \"Withdraw (USDT)\",\n                        \"value\": \"BUS_USDT_Account.Payment_USDT\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Asset\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Ethereum\",\n                        \"value\": \"ETH\"\n                    }\n                ]\n            }\n        ]\n    }\n}"},{"id":"3090c84d-03ac-4d4f-adc4-1c42215cd682","name":"Get Required Fields [V2] - Withdraw BTC","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_BTC_Account.Payment_BTC\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"601"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"259-D3bgshRiyPKotNFCC19oy4FkgMI\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336fx4es5aj"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"e5aea3da689999c0eb24ce8b19f1ed47;o=1"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"353"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:21:23 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998483.713887,VS0,VE645"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Withdraw (BTC)\",\n                        \"value\": \"BUS_BTC_Account.Payment_BTC\"\n                    },\n                    {\n                        \"label\": \"Withdraw (ETH)\",\n                        \"value\": \"BUS_ETH_Account.Payment_ETH\"\n                    },\n                    {\n                        \"label\": \"Withdraw (USDT)\",\n                        \"value\": \"BUS_USDT_Account.Payment_USDT\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Asset\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Bitcoin\",\n                        \"value\": \"BTC\"\n                    }\n                ]\n            }\n        ]\n    }\n}"},{"id":"440ed5e4-7871-4f93-a372-3546628de95a","name":"Get Required Fields [V2] - Domestic (ACH)","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_USD_Account.Business_ACH\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"907"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"38b-UgIzWxVfvsXXKwaiRQo8mtEWre4\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336gopcb4el"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"3084f02fbecb596b3460f8c9308b2b86"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"403"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:22:38 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998557.321926,VS0,VE687"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Account_Number\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Routing_Number\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Account_Type\",\n                \"Required\": true,\n                \"Type\": \"SingleSelection\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Checking\",\n                        \"value\": \"Checking\"\n                    },\n                    {\n                        \"label\": \"Saving\",\n                        \"value\": \"Saving\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Bank_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Bank_Country\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            }\n        ]\n    }\n}"},{"id":"afd3f579-24f0-4991-b86d-27f575bd3998","name":"Get Required Fields [V2] - Domestic Wire","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"907"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"38b-UgIzWxVfvsXXKwaiRQo8mtEWre4\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336minob4lw"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"10b2306570e41bd4127f3433c1b3359b;o=1"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"413"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:23:21 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998601.128381,VS0,VE703"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Account_Number\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Routing_Number\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Account_Type\",\n                \"Required\": true,\n                \"Type\": \"SingleSelection\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Checking\",\n                        \"value\": \"Checking\"\n                    },\n                    {\n                        \"label\": \"Saving\",\n                        \"value\": \"Saving\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Bank_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Bank_Country\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            }\n        ]\n    }\n}"},{"id":"186b14ce-442d-4481-a896-674bbd4da864","name":"Get Required Fields [V2] - International Wire","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_USD_Account.BUS_International_Transfer\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"902"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"386-HOM0cJS6HkBMOvUzL5r5YGJF1yo\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"gq9qsvmnkahj"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"1b0e9f315e53c150c9f330733342ffe5"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"393"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:24:14 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998654.570776,VS0,VE677"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Payment - Domestic (ACH)\",\n                        \"value\": \"BUS_USD_Account.Business_ACH\"\n                    },\n                    {\n                        \"label\": \"Payment - Domestic Wire\",\n                        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n                    },\n                    {\n                        \"label\": \"Payment - International Wire\",\n                        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Account_Number\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Swift_Bic\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Account_Type\",\n                \"Required\": true,\n                \"Type\": \"SingleSelection\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Checking\",\n                        \"value\": \"Checking\"\n                    },\n                    {\n                        \"label\": \"Saving\",\n                        \"value\": \"Saving\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Beneficiary_Bank_Name\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Beneficiary_Bank_Country\",\n                \"Required\": false,\n                \"Type\": \"Text\"\n            }\n        ]\n    }\n}"},{"id":"3bdd8d76-df21-4b6c-bc5b-c7bc250f9fc7","name":"Get Required Fields [V2] - Withdraw USDT","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_USDT_Account.Payment_USDT\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"601"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"259-0KCZuuAyA8UWdo4GPymcE+GOy18\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336broo2kjv"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"4090699eb583f5b50d70af1f5556337b;o=1"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"375"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:25:48 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998748.318155,VS0,VE677"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Withdraw (BTC)\",\n                        \"value\": \"BUS_BTC_Account.Payment_BTC\"\n                    },\n                    {\n                        \"label\": \"Withdraw (ETH)\",\n                        \"value\": \"BUS_ETH_Account.Payment_ETH\"\n                    },\n                    {\n                        \"label\": \"Withdraw (USDT)\",\n                        \"value\": \"BUS_USDT_Account.Payment_USDT\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Asset\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Tether\",\n                        \"value\": \"USDT\"\n                    }\n                ]\n            }\n        ]\n    }\n}"},{"id":"1c059a44-5443-4b3f-8103-bbe9b512aa1e","name":"Get Required Fields [V2] - Withdraw USDC","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PaymentType\": \"BUS_USDC_Account.Payment_USDC\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/get-required-fields"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"603"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"25b-naT5VWWG4UKMaBguRIUIhLkqaaY\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"a336m9cbbu69"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"75532302bf36c825a81025a0730e1c6c"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"294"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:26:33 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674998793.763675,VS0,VE575"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Fields\": [\n            {\n                \"Name\": \"BeneficiaryId\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Payment_Type\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"Withdraw (BTC)\",\n                        \"value\": \"BUS_BTC_Account.Payment_BTC\"\n                    },\n                    {\n                        \"label\": \"Withdraw (ETH)\",\n                        \"value\": \"BUS_ETH_Account.Payment_ETH\"\n                    },\n                    {\n                        \"label\": \"Withdraw (USDT)\",\n                        \"value\": \"BUS_USDT_Account.Payment_USDT\"\n                    }\n                ]\n            },\n            {\n                \"Name\": \"Nickname\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Address\",\n                \"Required\": true,\n                \"Type\": \"Text\"\n            },\n            {\n                \"Name\": \"Asset\",\n                \"Required\": true,\n                \"Type\": \"Text\",\n                \"PossibleValues\": [\n                    {\n                        \"label\": \"USD Coin\",\n                        \"value\": \"USDC\"\n                    }\n                ]\n            }\n        ]\n    }\n}"}],"_postman_id":"83a34289-206c-40b8-872a-3b9258926c92"},{"name":"Create Payment Instrument [V2]","event":[{"listen":"test","script":{"id":"9c002ff4-bdf6-4e93-a484-3bfdb7d88cf8","exec":["var jsonData = pm.response.json();","if(!!jsonData?.ResponseData?.PaymentInstrumentID){","  pm.environment.set(\"PaymentInstrumentID\", jsonData.ResponseData.PaymentInstrumentID);","}"],"type":"text/javascript","packages":{},"requests":{}}}],"id":"b33eb21a-fb79-4557-aa83-cdaa377444c1","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.Stablecoin_Withdraw\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"solana Instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"GNoYNXQ66dnTqcRnKi2PJSizjxvHHAy9GSbNszQuuq\"\n    },\n    {\n        \"field\": \"Asset\",\n        \"value\": \"PYUSD\"\n    },\n    {\n        \"field\": \"Blockchain\",\n        \"value\": \"SOLANA\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create","description":"<p>This endpoint is used to create a payment instrument associated with a beneficiary.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td><em>fields</em></td>\n<td>Array&lt;<a href=\"#fieldandvalue\">Field And Value</a>&gt;</td>\n<td>true</td>\n<td>--</td>\n<td>fields must be from get required fields endpoint</td>\n</tr>\n<tr>\n<td>Additional_Info</td>\n<td>{ Name: Value }</td>\n<td>false</td>\n<td>--</td>\n<td>This field is only required when the system is <strong>unable to resolve bank details from the provided Routing Number or SWIFT Code</strong>.</td>\n</tr>\n</tbody>\n</table>\n</div><p>Additional Info</p>\n<p>Additional_Info is an <strong>optional field</strong>. However, it becomes <strong>required if the bank details cannot be automatically retrieved using the provided Routing Number or SWIFT Code</strong>.</p>\n<p>In such cases, you must include the bank details inside the <code>additional_info</code> object.</p>\n<h4 id=\"required-fields-in-additional_info\">Required Fields in Additional_Info</h4>\n<ul>\n<li><p><code>Bank_Name</code></p>\n</li>\n<li><p><code>Bank_Address</code></p>\n</li>\n<li><p><code>Bank_City</code></p>\n</li>\n<li><p><code>Bank_State</code></p>\n</li>\n<li><p><code>Bank_Postal_Code</code></p>\n</li>\n<li><p><code>Bank_Country</code></p>\n</li>\n</ul>\n<h4 id=\"example\">Example</h4>\n<p><code>{ \"additional_info\": { \"Bank_Name\": \"Example Bank\", \"Bank_Address\": \"123 Main Street\", \"Bank_City\": \"New York\", \"Bank_State\": \"NY\", \"Bank_Postal_Code\": \"10001\", \"Bank_Country\": \"US\" } }</code></p>\n<p>Note: Use Get Bank Details endpoint to fetch beneficiary bank details using routing number.</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>{  <br />PaymentInstrumentId: string  <br />}</td>\n<td>--</td>\n<td>--</td>\n<td>Unique ID of the payment instrument created</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"863636f7-0488-42ae-834c-dc60b97a8390","id":"863636f7-0488-42ae-834c-dc60b97a8390","name":"Payment Instrument","type":"folder"}},"urlObject":{"path":["v2","payment-instrument","create"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"10d77703-c521-40c0-88b5-8f9b88139c76","name":"Create Payment Instrument [V2] - Withdraw BTC","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_BTC_Account.Payment_BTC\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"Wire-Domestic-Instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"3LA4wUQdRGebc8X8YNfR3RJ24T8ZEENiUj\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"Connection","value":"keep-alive"},{"key":"Content-Length","value":"109"},{"key":"Cache-Control","value":"private"},{"key":"Content-Security-Policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"Content-Type","value":"application/json; charset=utf-8"},{"key":"Cross-Origin-Embedder-Policy","value":"require-corp"},{"key":"Cross-Origin-Opener-Policy","value":"same-origin"},{"key":"Cross-Origin-Resource-Policy","value":"same-origin"},{"key":"Etag","value":"W/\"6d-rwkpKQcSiWMPix1qIWmm63j4/Y4\""},{"key":"Expect-Ct","value":"max-age=0"},{"key":"Function-Execution-Id","value":"gq9qj11l8f34"},{"key":"Origin-Agent-Cluster","value":"?1"},{"key":"Referrer-Policy","value":"no-referrer"},{"key":"Server","value":"Google Frontend"},{"key":"Strict-Transport-Security","value":"max-age=15552000; includeSubDomains"},{"key":"X-Cloud-Trace-Context","value":"c8c3a4f919fc1e1d43aab262b45a0ea8"},{"key":"X-Content-Type-Options","value":"nosniff"},{"key":"X-Country-Code","value":"IN"},{"key":"X-Dns-Prefetch-Control","value":"off"},{"key":"X-Download-Options","value":"noopen"},{"key":"X-Execution-Time","value":"7152"},{"key":"X-Frame-Options","value":"SAMEORIGIN"},{"key":"X-Permitted-Cross-Domain-Policies","value":"none"},{"key":"X-Powered-By","value":"Express"},{"key":"X-Xss-Protection","value":"0"},{"key":"Accept-Ranges","value":"bytes"},{"key":"Date","value":"Sun, 29 Jan 2023 13:32:30 GMT"},{"key":"X-Served-By","value":"cache-maa10221-MAA"},{"key":"X-Cache","value":"MISS"},{"key":"X-Cache-Hits","value":"0"},{"key":"X-Timer","value":"S1674999143.644503,VS0,VE7429"},{"key":"Vary","value":"Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2295601392853102422\"\n    }\n}"},{"id":"5f646e3e-1320-4c61-8c41-fb66d3819673","name":"Create Payment Instrument [V2] - Withdraw USDC","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USDC_Account.Payment_USDC\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"USDC-Instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"0x95222290dd7278aa3ddd389cc1e1d165cc4bafe5\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"109"},{"key":"etag","value":"W/\"6d-A49cc8PSDQiUPfFesTRWaI/OwAI\""},{"key":"x-execution-time","value":"14697"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Sun, 29 Jan 2023 14:01:39 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2178507802541469526\"\n    }\n}"},{"id":"ef9640a0-5e10-4d41-84dc-79535aa79e60","name":"Create Payment Instrument [V2] - Withdraw USDT","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USDT_Account.Payment_USDT\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"USDT - Instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"0xe94f1fa4f27d9d288ffea234bb62e1fbc086ca0c\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"109"},{"key":"etag","value":"W/\"6d-R3AoOew8ETiXt0cwlzeSwLriVX8\""},{"key":"x-execution-time","value":"6757"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Sun, 29 Jan 2023 14:04:04 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2196522201050951510\"\n    }\n}"},{"id":"bac2f493-686a-487e-a21f-8878b495d6b2","name":"Create Payment Instrument [V2] - Withdraw ETH","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USDT_Account.Payment_USDT\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"ETH-Instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"0xE455036E2F3a26Df7014b7DbF6cedBBf81433478\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"109"},{"key":"etag","value":"W/\"6d-UKGg86rLOyhMyXTOVxxVoHHTpQM\""},{"key":"x-execution-time","value":"6487"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Sun, 29 Jan 2023 14:05:04 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2187515001796210518\"\n    }\n}"},{"id":"0c75003d-4610-4132-b2f0-1cf164880125","name":"Create Payment Instrument [V2] - Domestic ACH","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.Business_ACH\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"Domestic-ACH-Instrument\"\n    },\n    {\n        \"field\": \"Account_Number\",\n        \"value\": \"8787627\"\n    },\n    {\n        \"field\": \"Routing_Number\",\n        \"value\": \"026009593\"\n    },\n    {\n        \"field\": \"Account_Type\",\n        \"value\": \"Saving\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"109"},{"key":"etag","value":"W/\"6d-KARiBWzXNxEVRH4XBb+VeRom004\""},{"key":"x-execution-time","value":"9925"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Sun, 29 Jan 2023 14:08:16 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2214536599560433494\"\n    }\n}"},{"id":"619f189e-beb4-489c-8945-02617a4d39b6","name":"Create Payment Instrument [V2] - Domestic Wire","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.Domestic_Wire_BUS\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"Domestic-Wire-Instrument\"\n    },\n    {\n        \"field\": \"Account_Number\",\n        \"value\": \"8787627\"\n    },\n    {\n        \"field\": \"Routing_Number\",\n        \"value\": \"026009593\"\n    },\n    {\n        \"field\": \"Account_Type\",\n        \"value\": \"Saving\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"109"},{"key":"etag","value":"W/\"6d-0+cfz2rTuItUfWXlYODMrMc4EA0\""},{"key":"x-execution-time","value":"7955"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Sun, 29 Jan 2023 14:09:02 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2205529400305692502\"\n    }\n}"},{"id":"a6a43ea2-c0a1-43bd-92da-8dd54e550c78","name":"Create Payment Instrument [V2] - International Wire","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"Domestic-Wire-Instrument\"\n    },\n    {\n        \"field\": \"Account_Number\",\n        \"value\": \"8787627\"\n    },\n    {\n        \"field\": \"Swift_Bic\",\n        \"value\": \"BOFAUS3NXXX\"\n    },\n    {\n        \"field\": \"Account_Type\",\n        \"value\": \"Saving\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"109"},{"key":"etag","value":"W/\"6d-/Q5dpsfLv+gMfXgJOGKfRE++KFU\""},{"key":"x-execution-time","value":"8628"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Sun, 29 Jan 2023 14:10:11 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"2232550998069915478\"\n    }\n}"},{"id":"e4aed692-31b9-4a82-b465-5786d1ff9cc7","name":"Additional Info is provided","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.Business_ACH\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"BTC-Instrument\"\n    },\n    {\n        \"field\": \"Account_Number\",\n        \"value\": \"7895513557\"\n    },\n    {\n        \"field\": \"Account_Type\",\n        \"value\": \"Saving\"\n    },\n    {\n        \"field\": \"Routing_Number\",\n        \"value\": \"123271978\"\n    },\n    {\n        \"field\": \"Additional_Info\",\n        \"value\": {\n            \"Bank_Country\": \"Belgium\",\n            \"Bank_State\": \"Antwerp\"\n        }\n  }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"110"},{"key":"etag","value":"W/\"6e-iQIOZWpVrRZlyHi7sa1OF8fWGK0\""},{"key":"x-execution-time","value":"7007"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Wed, 16 Aug 2023 10:24:22 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"-1645048281096081576\"\n    }\n}"},{"id":"fa58afbc-ff59-4033-9a9f-6e391e8f399b","name":"Create Payment Instrument [V2]- USDC Stablecoin","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.Stablecoin_Withdraw\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"Stablecoin instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"0x1A493D7C47203940c31B6F7857258De1F7649070\"\n    },\n    {\n        \"field\": \"Asset\",\n        \"value\": \"USDC\"\n    },\n    {\n        \"field\": \"Blockchain\",\n        \"value\": \"ETH\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":null,"header":[{"key":"Content-Length","value":"326"},{"key":"access-control-allow-credentials","value":"true"},{"key":"cache-control","value":"private"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"etag","value":"W/\"146-q3ci3wEl4G7Em/nbdIJ1rotsS10\""},{"key":"expect-ct","value":"max-age=0"},{"key":"function-execution-id","value":"yb9jnsct3e23"},{"key":"origin-agent-cluster","value":"?1"},{"key":"referrer-policy","value":"no-referrer"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-cloud-trace-context","value":"fdf0d4414fe8f8fb9461ca8c6715367c"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-country-code","value":"US"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"x-download-options","value":"noopen"},{"key":"x-execution-time","value":"2542"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"x-powered-by","value":"Express"},{"key":"x-xss-protection","value":"0"},{"key":"accept-ranges","value":"bytes"},{"key":"date","value":"Wed, 01 Apr 2026 13:16:58 GMT"},{"key":"x-served-by","value":"cache-chi-kigq8000045-CHI"},{"key":"x-cache","value":"MISS"},{"key":"x-cache-hits","value":"0"},{"key":"x-timer","value":"S1775049416.994266,VS0,VE2605"},{"key":"vary","value":"Origin, Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"alt-svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"x-request-id","value":"eed3cb2d-8f4b-4bbe-a41c-84ad3f1afac7"},{"key":"via","value":"1.1 google, 1.1 google"},{"key":"Alt-Svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"-7306073012700795124\",\n        \"Payment_Type\": \"BUS_USD_Account.Stablecoin_Withdraw\",\n        \"BeneficiaryId\": \"-8202289338547523828\",\n        \"Nickname\": \"Stablecoin instrument\",\n        \"Address\": \"0x1A493D7C47203940c31B6F7857258De1F7649070\",\n        \"Asset\": \"USDC\",\n        \"Blockchain\": \"ETH\"\n    }\n}"},{"id":"f8714d38-647d-409d-a983-b5db0a6d482e","name":"Create Payment Instrument [V2] - PYUSD Stablecoin","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"[\n    {\n        \"field\": \"Payment_Type\",\n        \"value\": \"BUS_USD_Account.Stablecoin_Withdraw\"\n    },\n    {\n        \"field\": \"BeneficiaryId\",\n        \"value\": \"{{beneficiaryIDV2}}\"\n    },\n    {\n        \"field\": \"Nickname\",\n        \"value\": \"solana Instrument\"\n    },\n    {\n        \"field\": \"Address\",\n        \"value\": \"GNoYNXQ66dnTqcR39nKi2QJSizjxvHHAy9GSbNszQuuq\"\n    },\n    {\n        \"field\": \"Asset\",\n        \"value\": \"PYUSD\"\n    },\n    {\n        \"field\": \"Blockchain\",\n        \"value\": \"SOLANA\"\n    }\n]","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/create"},"status":"OK","code":200,"_postman_previewlanguage":null,"header":[{"key":"Content-Length","value":"328"},{"key":"access-control-allow-credentials","value":"true"},{"key":"cache-control","value":"private"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"etag","value":"W/\"148-SxCQGXidheLfF7P0I6Esvv3IgDk\""},{"key":"expect-ct","value":"max-age=0"},{"key":"function-execution-id","value":"czqgizebiw80"},{"key":"origin-agent-cluster","value":"?1"},{"key":"referrer-policy","value":"no-referrer"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-cloud-trace-context","value":"2106da41f9dbd5fdf333182f61d2bbf3"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-country-code","value":"US"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"x-download-options","value":"noopen"},{"key":"x-execution-time","value":"2591"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"x-powered-by","value":"Express"},{"key":"x-xss-protection","value":"0"},{"key":"accept-ranges","value":"bytes"},{"key":"date","value":"Thu, 02 Apr 2026 13:38:18 GMT"},{"key":"x-served-by","value":"cache-chi-klot8100179-CHI"},{"key":"x-cache","value":"MISS"},{"key":"x-cache-hits","value":"0"},{"key":"x-timer","value":"S1775137096.914000,VS0,VE2657"},{"key":"vary","value":"Origin, Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"alt-svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"x-request-id","value":"764cfef9-74d7-41c3-9b7a-03e065f40163"},{"key":"via","value":"1.1 google, 1.1 google"},{"key":"Alt-Svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"PaymentInstrumentID\": \"-7062878632822788340\",\n        \"Payment_Type\": \"BUS_USD_Account.Stablecoin_Withdraw\",\n        \"BeneficiaryId\": \"-3946387690682405109\",\n        \"Nickname\": \"solana Instrument\",\n        \"Address\": \"GNoYNXQ66dnTqcR39nKi2QJSizjxvHHAy9GSbNszQuuq\",\n        \"Asset\": \"PYUSD\",\n        \"Blockchain\": \"SOLANA\"\n    }\n}"}],"_postman_id":"b33eb21a-fb79-4557-aa83-cdaa377444c1"},{"name":"List Payment Instruments [V2]","id":"c87b0e2c-79ba-403d-8d39-9e29e04aecbe","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 100,\n    \"BeneficiaryId\": \"{{beneficiaryIDV2}}\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/list","description":"<p>This endpoint is used to get the list of payment instruments associated with a particular beneficiary.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>PageNumber</td>\n<td>integer</td>\n<td>No</td>\n<td>--</td>\n<td>When results are paginated, this field can be used to obtain the results for the required page number</td>\n</tr>\n<tr>\n<td>PageSize</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>Default PageSize is 40. This can be used to increase or decrease the number of records in a page</td>\n</tr>\n<tr>\n<td>BeneficiaryId</td>\n<td>string</td>\n<td>Yes</td>\n<td></td>\n<td>Unique benenficiary ID</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td>Array</td>\n<td></td>\n<td>List of all the payment instrument associated with the beneficiary Id provided of the client</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"863636f7-0488-42ae-834c-dc60b97a8390","id":"863636f7-0488-42ae-834c-dc60b97a8390","name":"Payment Instrument","type":"folder"}},"urlObject":{"path":["v2","payment-instrument","list"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"c0fc6203-c24e-4122-9f9f-8e69d4cbb723","name":"List Payment Instruments","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 100,\n    \"BeneficiaryId\": \"{{beneficiaryIDV2}}\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/list"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"430"},{"key":"etag","value":"W/\"1ae-t1+0zDFe0RIPJRfyGVdKWN8PguI\""},{"key":"x-execution-time","value":"1746"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Fri, 09 Dec 2022 06:10:05 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Data\": [\n            {\n                \"CreatedBy\": \"Rishav_Business - Rishav\",\n                \"CreatedOn\": \"2022-12-09T02:01:29.769-04:00\",\n                \"Id\": \"2732450556708040533\",\n                \"payment_type\": \"BUS_USD_Account.BUS_International_Transfer\",\n                \"BeneficiaryId\": \"2705428958943817557\",\n                \"Nickname\": \"Wire-Domestic-Instrument\",\n                \"Account\": \"Account (USD)\",\n                \"Payment_Instrument_Status\": \"active\"\n            }\n        ],\n        \"PageNumber\": 1,\n        \"PageSize\": 100,\n        \"TotalCount\": 1\n    }\n}"}],"_postman_id":"c87b0e2c-79ba-403d-8d39-9e29e04aecbe"},{"name":"Get Payment Instrument Details [V2]","id":"a78c4ad7-2234-4057-ad41-e43f30c627cc","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/payment-instrument/:PaymentInstrumentId","description":"<p>This endpoint is used to get detailed information about a payment instrument.</p>\n<h2 id=\"path-variables\">Path Variables</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>PaymentInstrumentId</td>\n<td>string</td>\n<td>true</td>\n<td>--</td>\n<td>ID of the payment instrument</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#PaymentInstrumentDetails\">Payment Instrument Details</a></td>\n<td>--</td>\n<td>Details of the beneficiary</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"863636f7-0488-42ae-834c-dc60b97a8390","id":"863636f7-0488-42ae-834c-dc60b97a8390","name":"Payment Instrument","type":"folder"}},"urlObject":{"path":["v2","payment-instrument",":PaymentInstrumentId"],"host":["{{baseURL}}"],"query":[],"variable":[{"id":"4ea22b3d-f1a3-4da9-9199-209fb7a9ce9c","type":"any","value":"{{PaymentInstrumentID}}","key":"PaymentInstrumentId"}]}},"response":[{"id":"b72f5148-ae82-4a99-8e1b-a3e1435b170f","name":"Get Payment Instrument Details","originalRequest":{"method":"GET","header":[],"url":"{{baseURL}}/v2/payment-instrument/{{PaymentInstrumentID}}"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"765"},{"key":"etag","value":"W/\"2fd-a614p6I4eb458XHYGwdR7o0eE6Y\""},{"key":"x-execution-time","value":"1439"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Fri, 09 Dec 2022 06:10:34 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"CreatedBy\": \"Rishav_Business - Rishav\",\n        \"CreatedOn\": \"2022-12-09T02:01:29.769-04:00\",\n        \"PaymentInstrumentID\": \"2732450556708040533\",\n        \"Beneficiary\": \"Earnest-TRF - (rishav.0727@gmail.com)\",\n        \"Account\": \"Account (USD)\",\n        \"Payment_Type\": \"Payment - International Wire\",\n        \"Nickname\": \"Wire-Domestic-Instrument\",\n        \"Supported_Currencies\": \"USD\",\n        \"Payment_Instrument_Status\": \"Active\",\n        \"Account_Number\": \"10000049\",\n        \"Swift_Bic\": \"SCBLUS33XXX\",\n        \"Account_Type\": \"Saving\",\n        \"Beneficiary_Bank_Name\": \"Standard Chartered Bank\",\n        \"Beneficiary_Bank_Address\": \"1095 Avenue of the Americas\",\n        \"Beneficiary_Bank_City\": \"New York\",\n        \"Beneficiary_Bank_State\": \"NY\",\n        \"Beneficiary_Bank_Postal_Code\": \"10036\",\n        \"Beneficiary_Bank_Country\": \"UNITED STATES OF AMERICA\"\n    }\n}"},{"id":"3a51516c-3650-4e72-b15a-6fb01e95d002","name":"Get Payment Instrument Details [USDC Stablecoin]","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/v2/payment-instrument/:PaymentInstrumentId","host":["{{baseURL}}"],"path":["v2","payment-instrument",":PaymentInstrumentId"],"variable":[{"key":"PaymentInstrumentId","value":"{{PaymentInstrumentID}}"}]}},"status":"OK","code":200,"_postman_previewlanguage":null,"header":[{"key":"Content-Length","value":"554"},{"key":"access-control-allow-credentials","value":"true"},{"key":"cache-control","value":"private"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"etag","value":"W/\"22a-nBxRnIIjuP83YhrI17Yk4EqpU38\""},{"key":"expect-ct","value":"max-age=0"},{"key":"function-execution-id","value":"e9d0yfgn6etx"},{"key":"origin-agent-cluster","value":"?1"},{"key":"referrer-policy","value":"no-referrer"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-cloud-trace-context","value":"fdb7fae6f2a3fd1286aada2347c3924a"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-country-code","value":"US"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"x-download-options","value":"noopen"},{"key":"x-execution-time","value":"411"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"x-powered-by","value":"Express"},{"key":"x-xss-protection","value":"0"},{"key":"accept-ranges","value":"bytes"},{"key":"date","value":"Wed, 01 Apr 2026 13:11:25 GMT"},{"key":"x-served-by","value":"cache-chi-kigq8000144-CHI"},{"key":"x-cache","value":"MISS"},{"key":"x-cache-hits","value":"0"},{"key":"x-timer","value":"S1775049085.734261,VS0,VE474"},{"key":"vary","value":"Origin, Accept-Encoding,cookie,need-authorization, x-fh-requested-host, accept-encoding"},{"key":"alt-svc","value":"h3=\":443\";ma=86400,h3-29=\":443\";ma=86400,h3-27=\":443\";ma=86400"},{"key":"alt-svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"},{"key":"x-request-id","value":"f869187a-5700-4739-b37a-3d7d9a244e37"},{"key":"via","value":"1.1 google, 1.1 google"},{"key":"Alt-Svc","value":"h3=\":443\"; ma=2592000,h3-29=\":443\"; ma=2592000"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"CreatedBy\": \"Demo - FV Stable Remit\",\n        \"CreatedOn\": \"2026-03-25T08:03:31.208-04:00\",\n        \"PaymentInstrumentID\": \"-8211296537802264820\",\n        \"BeneficiaryId\": \"-8202289338547523828\",\n        \"From_Account_Name\": \"Account (USD)\",\n        \"Payment_Type\": \"Stablecoin Payment\",\n        \"Nickname\": \"Stablecoin instrument\",\n        \"Supported_Currencies\": \"USDC\",\n        \"Payment_Instrument_Status\": \"Active\",\n        \"Blockchain\": \"ETH (ERC20)\",\n        \"Destination_Address\": \"0x1A493D7C47203970c31B6F7857258De1F7649070\",\n        \"Beneficiary_Payment_Instrument\": \"-8211296537802264820\"\n    }\n}"}],"_postman_id":"a78c4ad7-2234-4057-ad41-e43f30c627cc"},{"name":"Change Status","id":"34f37c0e-1b2e-4bf2-bb8b-270c5ba677e4","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":" {\n        \"PaymentInstrumentId\": \"{{PaymentInstrumentID}}\",\n        \"Status\": \"Disable\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment-instrument/change-status","description":"<p>This endpoint is used to change status of a payment instrument ID</p>\n<h3 id=\"request-body\">Request Body</h3>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>String</td>\n<td>--</td>\n<td>Id of the payment instrument.</td>\n</tr>\n<tr>\n<td>Status</td>\n<td>string</td>\n<td>Active, Disable</td>\n<td>Status of the payment instrument</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>Object</td>\n<td>--</td>\n<td>--</td>\n<td>Message</td>\n</tr>\n</tbody>\n</table>\n</div><p>Note: \"Permission Denied\" message is returned with status code 400 when \"Status\" in request body is same as the Payment Instrument status.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"863636f7-0488-42ae-834c-dc60b97a8390","id":"863636f7-0488-42ae-834c-dc60b97a8390","name":"Payment Instrument","type":"folder"}},"urlObject":{"path":["v2","payment-instrument","change-status"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"af6d18d0-102c-458b-a30e-49f511ce5a1c","name":"Change Status [Enable]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":" {\n        \"BeneficiaryId\": \"{{beneficiaryIDV2}}\",\n        \"Status\": \"Active\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/change-status"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"125"},{"key":"etag","value":"W/\"7d-ltQTCG9BD7gLU6koSV+BMpZiICo\""},{"key":"x-execution-time","value":"11605"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Tue, 10 Jan 2023 07:36:09 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": \"Beneficiary has been enabled for transactions successfully.\"\n}"},{"id":"2a65d3cc-d9e5-477d-b62f-f6c01cd6cc09","name":"Change Status [Disable]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":" {\n        \"BeneficiaryId\": \"{{beneficiaryIDV2}}\",\n        \"Status\": \"Disable\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/beneficiary/change-status"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"126"},{"key":"etag","value":"W/\"7e-w6n4xiKyJ+JzIJ/BS7VEB5HXjpg\""},{"key":"x-execution-time","value":"6143"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Tue, 10 Jan 2023 07:36:59 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": \"Beneficiary has been disabled for transactions successfully.\"\n}"}],"_postman_id":"34f37c0e-1b2e-4bf2-bb8b-270c5ba677e4"}],"id":"863636f7-0488-42ae-834c-dc60b97a8390","description":"<p>Payment instruments comprise different payment types inside a beneficiary. Payment instrument contains information related to bank account and payment type along with information needed to perform a payment.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"c94355de-1552-47f6-ba5f-6db577117c65","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"51d11f23-893a-4c4e-87cb-e18e4e8bdaaa","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"863636f7-0488-42ae-834c-dc60b97a8390"},{"name":"Payments","item":[{"name":"Preview - Send Bank Payment [V2]","event":[{"listen":"test","script":{"id":"ecb1eb98-eb13-4b34-a6f5-62402ba877e8","exec":["var jsonData = pm.response.json();","pm.environment.set(\"transactionNumber\", jsonData.ResponseData.TransactionNumber);"],"type":"text/javascript","packages":{}}}],"id":"11060ce3-d290-45e3-9cea-53cf8cb4c0a3","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Loan_Payments\",\n    \"Currency\": \"USD\",\n    \"Amount\": \"300\",\n    \"CryptoBuySellActivity\": \"No\",\n    \"SupportingDocument\": \"{{FileId}}\",\n    \"DocumentReferenceNumber\":\"1123123\",\n    \"Intermediary_ABA\": \"026001591\",\n    \"Description\": \"lorem ipsum dummy text\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment/bank/preview","description":"<p>This endpoint requires the same request body as create bank transfer endpoint. The difference between them is the former one validates the request body (provides error message if any), lists the fee involved, and the details of the transaction.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Payment instrument ID</td>\n</tr>\n<tr>\n<td>Currency</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Currency for the payment</td>\n</tr>\n<tr>\n<td>Amount</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Amount to be transfered</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Description about the payment</td>\n</tr>\n<tr>\n<td>Purpose</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Must be one of the value from Get Payment Purpose endpoint</td>\n</tr>\n<tr>\n<td>CryptoBuySellActivity</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>\"Yes\" or \"No\" representing if the transaction is associated with a crypto activity</td>\n</tr>\n<tr>\n<td>SupportingDocument</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>File ID of the document. Multiple file Ids supported in format \"fileId1</td>\n</tr>\n<tr>\n<td>Intermediary_ABA</td>\n<td>string</td>\n<td>Only for International Payments</td>\n<td>--</td>\n<td>ABA number of the intermediary bank</td>\n</tr>\n<tr>\n<td>Additional_Info</td>\n<td>{ Name: Value }</td>\n<td>No</td>\n<td>Refer to \"Additional_Info fields for payments endpoint\" in classes section</td>\n<td>This needs to be send inside the Fields array with field name as Additional_info and value as the object with the information required.</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"additonal_info-fields\">Additonal_Info fields</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Possible Values</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Beneficiary_DOB</td>\n<td>format YYYY-MM-DD</td>\n</tr>\n<tr>\n<td>Beneficiary_Relationship</td>\n<td>AUNT, BROTHER, BROTHER_IN_LAW, COUSIN,  <br />DAUGHTER, FATHER, FATHER_IN_LAW, FRIEND,  <br />GRAND_FATHER, GRAND_MORTHER, HUSBAND, MOTHER, MOTHER_IN_LAW, NEPHEW, NIECE, SELF, SISTER, SISTER_IN_LAW, SON, UNCLE, WIFE, OTHERS</td>\n</tr>\n<tr>\n<td>Beneficiary_ID_Type</td>\n<td>DL, NationalID, Passport</td>\n</tr>\n<tr>\n<td>Beneficiary_ID_No</td>\n<td>string</td>\n</tr>\n<tr>\n<td>Beneficiary_Relationship_Other</td>\n<td>string</td>\n</tr>\n<tr>\n<td>Product_Type</td>\n<td>string</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#previewbankpayment\">Preview Bank Payment</a></td>\n<td></td>\n<td>Object contains all the information about the transaction along with the fess</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"32074d9c-244f-4f31-b342-cecbaacd5977","id":"32074d9c-244f-4f31-b342-cecbaacd5977","name":"Payments","type":"folder"}},"urlObject":{"path":["v2","payment","bank","preview"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"93ecfd8a-8a77-4552-8ee3-fc2b157d2590","name":"Preview - Send Bank Payment [V2]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Savings\",\n    \"Description\": \"Test API Payment\",\n    \"Currency\": \"USD\",\n    \"Amount\": \"1\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment/bank/preview"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"214"},{"key":"etag","value":"W/\"d6-XLNb3MkHOlIgvhVPYw4kmLV0oZ8\""},{"key":"x-execution-time","value":"2540"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Fri, 09 Dec 2022 06:19:56 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Amount\": \"1.00\",\n        \"Currency\": \"USD\",\n        \"Description\": \"Test API Payment\",\n        \"Fee\": \"75.00\",\n        \"From\": \"Rishav_Business - Rishav\",\n        \"To\": \"Earnest-TRF\",\n        \"Total\": \"76.00\"\n    }\n}"}],"_postman_id":"11060ce3-d290-45e3-9cea-53cf8cb4c0a3"},{"name":"Send Bank Payment [V2]","event":[{"listen":"test","script":{"id":"ecb1eb98-eb13-4b34-a6f5-62402ba877e8","exec":["var jsonData = pm.response.json();","if(!!jsonData?.ResponseData?.TransactionNumber){","    pm.environment.set(\"transactionNumber\", jsonData.ResponseData.TransactionNumber);","}",""],"type":"text/javascript","packages":{},"requests":{}}}],"id":"6fa21d0a-2870-4a25-aeda-0238dd7d7cb5","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Loan_Payments\",\n    \"Currency\": \"USD\",\n    \"Amount\": \"40\",\n    \"CryptoBuySellActivity\": \"No\",\n    \"Intermediary_ABA\": \"026001591\",\n    \"SupportingDocument\": \"{{FileId}}\",\n    \"Description\": \"Testing Timeout RAJ2\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment/bank","description":"<p>The endpoint is used to make the payment to the beneficiary that was added early using any of the payment instrument Id associated with that beneficiary. The associated beneficiary status must be <code>Enabled</code> to send the payment.</p>\n<p>Note:<br />1. The payment might need one or more authorization from the bank. Merchant partner will be notified on such changes via callbacks to the designated URL.<br />2. Swift code provided while creating payment instrument will also get verfied in this endpoint.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Payment instrument ID</td>\n</tr>\n<tr>\n<td>Currency</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Currency for the payment</td>\n</tr>\n<tr>\n<td>Amount</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Amount to be transferred</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Description about the payment</td>\n</tr>\n<tr>\n<td>Purpose</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Must be one of the value from Get Payment Purpose endpoint</td>\n</tr>\n<tr>\n<td>CryptoBuySellActivity</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>\"Yes\" or \"No\" representing if the transaction is associated with a crypto activity</td>\n</tr>\n<tr>\n<td>SupportingDocument</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>File ID of the document. Multiple file Ids supported in format 'fileId1</td>\n</tr>\n<tr>\n<td>Intermediary_ABA</td>\n<td>string</td>\n<td>Only for International Payments</td>\n<td>--</td>\n<td>ABA number of the Intermediary bank</td>\n</tr>\n<tr>\n<td>Additional_Info</td>\n<td>{ Name: Value }</td>\n<td>No</td>\n<td>Refer to \"Additional_Info fields for payments endpoint\" in classes section</td>\n<td>This needs to be send inside the Fields array with field name as Additional_info and value as the object with the information required.</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td>Objet</td>\n<td>--</td>\n<td>Object contains TransactionNumber that can be used in get transaction details endpoint</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"32074d9c-244f-4f31-b342-cecbaacd5977","id":"32074d9c-244f-4f31-b342-cecbaacd5977","name":"Payments","type":"folder"}},"urlObject":{"path":["v2","payment","bank"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"765fb3a0-f345-4af0-9f4a-a005877e1c55","name":"Send Bank Payment [V2]","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"2732450556708040533\",\n    \"Purpose\": \"Savings\",\n    \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n    \"Currency\": \"USD\",\n    \"Amount\": \"1\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment/bank"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"99"},{"key":"etag","value":"W/\"63-tgTEpM09BkHq65LSTGhPTuLLb+8\""},{"key":"x-execution-time","value":"3386"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Fri, 09 Dec 2022 06:26:54 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FV000007938\"\n    }\n}"}],"_postman_id":"6fa21d0a-2870-4a25-aeda-0238dd7d7cb5"}],"id":"32074d9c-244f-4f31-b342-cecbaacd5977","description":"<p>These endpoints are used to create a transaction for different payment types using a payment instrument.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"9d8b51dd-57a7-4e57-bedd-6be8eb292d45","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"a1ed3b9e-3678-470d-9215-a7d442b643d6","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"32074d9c-244f-4f31-b342-cecbaacd5977"},{"name":"Stablecoin","item":[{"name":"Preview- Stablecoin Withdraw","id":"1a5b8a7b-1b14-4dd2-ac65-a18cc83d8be0","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Amount\": \"400\",\n    \"Description\": \"Testing apis\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/stablecoin/withdraw/preview","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"5df8538f-dcee-4975-9fc4-9326a51bed9a","id":"5df8538f-dcee-4975-9fc4-9326a51bed9a","name":"Stablecoin","type":"folder"}},"urlObject":{"path":["v2","stablecoin","withdraw","preview"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[],"_postman_id":"1a5b8a7b-1b14-4dd2-ac65-a18cc83d8be0"},{"name":"Transfer - Stablecoin Withdraw","id":"1c5d225e-fa81-4b28-ada5-5519714d102e","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Amount\": \"0.01\",\n    \"Description\": \"Testing apis\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/stablecoin/withdraw","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"5df8538f-dcee-4975-9fc4-9326a51bed9a","id":"5df8538f-dcee-4975-9fc4-9326a51bed9a","name":"Stablecoin","type":"folder"}},"urlObject":{"path":["v2","stablecoin","withdraw"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[],"_postman_id":"1c5d225e-fa81-4b28-ada5-5519714d102e"}],"id":"5df8538f-dcee-4975-9fc4-9326a51bed9a","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"0d4f154b-a3db-4997-9ffb-46e02b2ec370","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"c03f81e4-1404-4ee9-8774-483e190dfb61","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"5df8538f-dcee-4975-9fc4-9326a51bed9a","description":""},{"name":"SEPA Payments","item":[{"name":"Preview - Send SEPA Payment","id":"affcbff5-f01e-495e-b093-11631a2cc3ed","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Savings\",\n    \"Description\": \"Testing Payment endpoint (Business Endpoint)\",\n    \"DestinationAmount\": \"12\",\n    \"DestinationCurrency\": \"EUR\",\n    \"CryptoBuySellActivity\": \"Yes\",\n    \"SupportingDocument\": \"{{FileId}}\",\n    \"DocumentReferenceNumber\": \"234234\"\n}\n\n\n\n","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/cross-border/preview","description":"<p>The \"Preview - Send SEPA Payment\" endpoint is a significant component in managing SEPA (Single Euro Payments Area) transactions efficiently. In the initial step, users provide essential details, including the Payment Instrument ID, payment purpose, description, destination amount and destination currencies, and the transaction amount.</p>\n<p>Upon a successful request, the endpoint returns a comprehensive preview of the SEPA transaction, encompassing critical details such as fees, exchange rates, and the newly generated QuoteID.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Payment instrument ID</td>\n</tr>\n<tr>\n<td>DestinationCurrency</td>\n<td>string</td>\n<td>Yes</td>\n<td>EUR</td>\n<td>Currency of the recepient bank</td>\n</tr>\n<tr>\n<td>DestinationAmount</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Destination Amount</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Description about the payment</td>\n</tr>\n<tr>\n<td>Purpose</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Must be one of the value from Get Payment Purpose endpoint</td>\n</tr>\n<tr>\n<td>CryptoBuySellActivity</td>\n<td></td>\n<td>Yes</td>\n<td>--</td>\n<td>\"Yes\" or \"No\" representing if the transaction is associated with a crypto activity</td>\n</tr>\n<tr>\n<td>SupportingDocument</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>File ID of the document</td>\n</tr>\n<tr>\n<td>DocumentReferenceNumber</td>\n<td>string</td>\n<td>No</td>\n<td>--</td>\n<td>Document number of the supporting file</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#previewbankpayment\">Preview Bank Payment</a></td>\n<td></td>\n<td>Object contains all the information about the transaction along with the fess</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"f79e0ade-7298-48f9-9881-4407ca640cd0","id":"f79e0ade-7298-48f9-9881-4407ca640cd0","name":"SEPA Payments","type":"folder"}},"urlObject":{"path":["v2","cross-border","preview"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"71b2960e-b99c-4374-b08b-6c69c71adfd1","name":"Preview - Send SEPA Payment","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Savings\",\n    \"Description\": \"Testing Payment endpoint (Business Endpoint)\",\n    \"DestinationAmount\": \"12\",\n    \"DestinationCurrency\": \"EUR\",\n    \"CryptoBuySellActivity\": \"Yes\",\n    \"SupportingDocument\": \"{{FileId}}\"\n}\n\n\n\n","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/sandbox/cross-border/preview"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"453"},{"key":"etag","value":"W/\"1c5-vqZD01dYHzWVpoyoyMQdfHGfR4I\""},{"key":"x-execution-time","value":"8628"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Tue, 23 Jan 2024 09:26:43 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"BeneficiaryPaymentInstrumentID\": \"-8720203295695130791\",\n        \"From\": \"Rishav_Business - Rishav\",\n        \"To\": \"Steven Spielberg\",\n        \"DestinationAmount\": \"12\",\n        \"DestinationCurrency\": \"EUR\",\n        \"FXRate\": \"1.098619\",\n        \"SourceAmount\": 13.183428,\n        \"FeeInUSD\": \"35.00\",\n        \"TotalAmountInUSD\": 48.183428,\n        \"QuoteId\": \"a49d3fa6-6edb-48c6-a1ff-ab4e92d10d75\",\n        \"Purpose\": \"Savings\",\n        \"Description\": \"Testing Payment endpoint Business Endpoint\"\n    }\n}"}],"_postman_id":"affcbff5-f01e-495e-b093-11631a2cc3ed"},{"name":"Submit - Send SEPA Payment","event":[{"listen":"test","script":{"id":"ecb1eb98-eb13-4b34-a6f5-62402ba877e8","exec":["var jsonData = pm.response.json();","if(!!jsonData?.ResponseData?.TransactionNumber){","    pm.environment.set(\"transactionNumber\", jsonData.ResponseData.TransactionNumber);","}",""],"type":"text/javascript","packages":{},"requests":{}}}],"id":"3b333bc8-40fe-4bd8-a415-2f88b74314f9","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Savings\",\n    \"Description\": \"Testing SEPA payments\",\n    \"DestinationAmount\": \"830\",\n    \"DestinationCurrency\": \"EUR\",\n    \"CryptoBuySellActivity\": \"Yes\",\n    \"SupportingDocument\": \"{{FileId}}\",\n    \"DocumentReferenceNumber\": \"324324324\"\n}\n\n\n\n","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/cross-border","description":"<p>The \"SEND Cross Border Payment\" endpoint offers users the capability to initiate cross-border transactions with precision. Users can input essential transaction details, including the Payment Instrument ID, payment purpose, description, destination amount, destination currency, and CryptoBuySellActivity flag.</p>\n<p>The \"SupportingDocument\" attribute allows for the attachment of relevant documents using the File ID obtained from the \"Upload File\" endpoint. Importantly, if users do not specify a Quote ID in the request body, the endpoint will generate a new Quote ID automatically.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Payment instrument ID</td>\n</tr>\n<tr>\n<td>DestinationCurrency</td>\n<td>string</td>\n<td>Yes</td>\n<td>EUR</td>\n<td>Currency of the recepient bank</td>\n</tr>\n<tr>\n<td>DestinationAmount</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Destination Amount</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Description about the payment</td>\n</tr>\n<tr>\n<td>Purpose</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Must be one of the value from Get Payment Purpose endpoint</td>\n</tr>\n<tr>\n<td>CryptoBuySellActivity</td>\n<td></td>\n<td>Yes</td>\n<td>Yes, No</td>\n<td>\"Yes\" or \"No\" representing if the transaction is associated with a crypto activity</td>\n</tr>\n<tr>\n<td>SupportingDocument</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>File ID of the document</td>\n</tr>\n<tr>\n<td>DocumentReferenceNumber</td>\n<td>string</td>\n<td>No</td>\n<td>--</td>\n<td>Document number of the supporting file</td>\n</tr>\n<tr>\n<td>QuoteID</td>\n<td>string</td>\n<td>No</td>\n<td>--</td>\n<td>quote Id returned from the Preview SEPA payments endpoint. It gives you a locked fx rate for the transaction if not provided a new quote id would be created and used</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td>Objet</td>\n<td>--</td>\n<td>Object contains TransactionNumber that can be used in get transaction details endpoint</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"f79e0ade-7298-48f9-9881-4407ca640cd0","id":"f79e0ade-7298-48f9-9881-4407ca640cd0","name":"SEPA Payments","type":"folder"}},"urlObject":{"path":["v2","cross-border"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"46d824d1-a3f6-47e9-8345-9d7fa22a6ef6","name":"Send Cross Border Payment","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Purpose\": \"Savings\",\n    \"Description\": \"Testing Payment endpoint (Business Endpoint)\",\n    \"Currency\": \"USD\",\n    \"DestinationAmount\": \"12\",\n    \"DestinationCurrency\": \"EUR\",\n    \"CryptoBuySellActivity\": \"Yes\",\n    \"SupportingDocument\": \"{{FileId}}\",\n    \"QuoteID\": \"\"\n}\n\n\n\n","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/sandbox/cross-border"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"etag","value":"W/\"4b5-iBjegtXtfkXgUSFjOntPG6RlEG0\""},{"key":"x-execution-time","value":"8929"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"content-encoding","value":"gzip"},{"key":"date","value":"Tue, 23 Jan 2024 09:39:48 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"transfer-encoding","value":"chunked"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FV000021659\",\n        \"TransactionDetails\": {\n            \"TransactionNumber\": \"FV000021659\",\n            \"Status\": \"PENDING_AUTHORIZATION\",\n            \"CreatedAt\": \"2024-01-23T05:39:48.010-04:00\",\n            \"From\": \"Rishav_Business - Rishav\",\n            \"To\": \"Steven Spielberg\",\n            \"Description\": \"Testing Payment endpoint Business Endpoint\",\n            \"Type\": {\n                \"value\": \"BUS_USD_Account.payment_cross_border_sepa\",\n                \"label\": \"Payment - Cross Border - SEPA\"\n            },\n            \"AdditionalData\": [\n                {\n                    \"label\": \"Destination Amount\",\n                    \"value\": \"12.00\"\n                },\n                {\n                    \"label\": \"IBAN\",\n                    \"value\": \"GB94BARC10201530093459\"\n                },\n                {\n                    \"label\": \"Beneficiary First Name\",\n                    \"value\": \"Steven\"\n                },\n                {\n                    \"label\": \"Beneficiary Last Name\",\n                    \"value\": \"Spielberg\"\n                },\n                {\n                    \"label\": \"Beneficiary Address\",\n                    \"value\": \"1437\"\n                },\n                {\n                    \"label\": \"Beneficiary City\",\n                    \"value\": \"Delhi\"\n                },\n                {\n                    \"label\": \"Beneficiary Postal Code\",\n                    \"value\": \"282007\"\n                },\n                {\n                    \"label\": \"Albania\",\n                    \"value\": \"AL\"\n                },\n                {\n                    \"label\": \"FX Rate\",\n                    \"value\": \"1.098619\"\n                },\n                {\n                    \"label\": \"Transaction_crypto_buy_sell_activity\",\n                    \"value\": \"Yes\"\n                },\n                {\n                    \"label\": \"Beneficiary_Payment_Purpose\",\n                    \"value\": \"Savings\"\n                }\n            ],\n            \"DestinationAmount\": \"12\",\n            \"DestinationCurrency\": \"EUR\",\n            \"SourceAmount\": \"13.183430400000004\",\n            \"FeeInUSD\": \"35\",\n            \"TotalAmountInUSD\": \"48.183430400000006\",\n            \"QuoteId\": \"3b5e8079-e876-47ea-99d4-1066a30b105b\"\n        }\n    }\n}"}],"_postman_id":"3b333bc8-40fe-4bd8-a415-2f88b74314f9"}],"id":"f79e0ade-7298-48f9-9881-4407ca640cd0","description":"<p>These endpoints are used to create a transaction for different payment types using a payment instrument.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"2dab4246-3650-48e8-b7ec-c5403643c448","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"8f01d5cb-f24b-479c-850b-f1afd78cfa91","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"f79e0ade-7298-48f9-9881-4407ca640cd0"},{"name":"Custody","item":[{"name":"Get Custody Account Status","id":"004d0dbb-9f86-439e-b1f1-fa7f07f8e4df","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n   \"Asset\": \"BTC\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/custody/status","description":"<p>This endpoint is used to get custody application status and balance of the custody account.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Asset</td>\n<td>String</td>\n<td>BTC, ETH, USDC, USDT</td>\n<td>Digital asset code</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td><a href=\"#CustodyStatus\">CustodyStatus</a></td>\n<td>--</td>\n<td>--</td>\n<td>Custody application status</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","name":"Custody","type":"folder"}},"urlObject":{"path":["v2","custody","status"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"4b3b356e-746b-4f18-a8fb-f4afae632a81","name":"Get Custody Status","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n   \"Asset\": \"USDC\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/custody/status"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"234"},{"key":"etag","value":"W/\"ea-EhqwKx9Sq+9E+2apd5y5OWoarsQ\""},{"key":"x-execution-time","value":"2102"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Fri, 20 Jan 2023 05:23:54 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Status\": \"APPROVED\",\n        \"Asset\": \"USDC\",\n        \"Address\": \"0x4C8a14C0908434dFA322E8E014A392F3c4BbBE27\",\n        \"Balance\": \"0.000000\",\n        \"ReservedAmount\": \"0.000000\",\n        \"AvailableBalance\": \"0.000000\"\n    }\n}"}],"_postman_id":"004d0dbb-9f86-439e-b1f1-fa7f07f8e4df"},{"name":"Apply For Custody Application","id":"54f02db1-12e7-4abb-a889-f83e39a970ac","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"Asset\": \"ETH\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/custody/apply","description":"<p>This endpoint is used to apply for a custody application</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Asset</td>\n<td>String</td>\n<td>BTC, ETH, USDC, USDT</td>\n<td>Digital asset code</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>Required</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>Object</td>\n<td>--</td>\n<td>--</td>\n<td>Message</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","name":"Custody","type":"folder"}},"urlObject":{"path":["v2","custody","apply"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"546c8007-745c-4f53-bd9c-052fe2e57413","name":"Apply For Custody Application","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"Asset\": \"USDC\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/custody/apply"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"347"},{"key":"etag","value":"W/\"15b-EFk3Ffm5BRFQFT2W7CkoZOo56II\""},{"key":"x-execution-time","value":"4531"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Fri, 20 Jan 2023 07:35:58 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"message\": \"Your request to open a new custody account for USDC has been received. Our team will get in touch with you in case they need more information. Once it is approved, the account will be visible on the Dashboard and on the left navigational bar under \\\"Custody Accounts\\\".\"\n    }\n}"}],"_postman_id":"54f02db1-12e7-4abb-a889-f83e39a970ac"},{"name":"Preview - Custody Withdraw","id":"c474fba7-cc21-4c28-a90e-7a90ae1c6048","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Description\": \"Test API Payment\",\n    \"Amount\": \"0.00001\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/custody/withdraw/preview","description":"<p>This endpoint is used to preview a custody transaction and fee to be applied for the transaction</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>String</td>\n<td>Yes</td>\n<td>--</td>\n<td>Id of a digital asset payment instrument.</td>\n</tr>\n<tr>\n<td>Amount</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Amount of digital asset to be transferred</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>--</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td><a href=\"#PreviewCustodyWithdraw\">PreviewCustodyWithdraw</a></td>\n<td>--</td>\n<td>--</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","name":"Custody","type":"folder"}},"urlObject":{"path":["v2","custody","withdraw","preview"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"28f438cc-df9e-498a-bfc4-edb7e69ef696","name":"New Request","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Description\": \"Test API Payment\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment/custody/preview"},"status":"Unauthorized","code":401,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"91"},{"key":"etag","value":"W/\"5b-3do2EelRNC1f/XGIZn17z08pN50\""},{"key":"x-execution-time","value":"1190"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Thu, 22 Dec 2022 12:25:33 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 401,\n    \"ResponseMessage\": \"Unauthorized\",\n    \"ResponseErrors\": [\n        \"Session Expired.\"\n    ]\n}"}],"_postman_id":"c474fba7-cc21-4c28-a90e-7a90ae1c6048"},{"name":"Transfer - Custody Withdraw","event":[{"listen":"test","script":{"id":"5bf553c3-25a6-41e0-9205-246b74670619","exec":["var jsonData = pm.response.json();","if(jsonData?.ResponseData?.TransactionNumber){","    pm.environment.set(\"transactionNumber\", jsonData.ResponseData.TransactionNumber);","}",""],"type":"text/javascript"}}],"id":"0e693d80-7046-41fd-b0ff-c4889fbb944b","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Description\": \"Test API Payment\",\n    \"Amount\": \"0.0001\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/custody/withdraw/transfer","description":"<p>This endpoint is used to transfer digital assets using a custody payment instrument.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>BeneficiaryPaymentInstrumentID</td>\n<td>String</td>\n<td>Yes</td>\n<td>--</td>\n<td>Id of a digital asset payment instrument.</td>\n</tr>\n<tr>\n<td>Amount</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>Amount of digital asset to be transferred</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>Yes</td>\n<td>--</td>\n<td>--</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Field</th>\n<th>Type</th>\n<th>PossibleValues</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>number</td>\n<td>--</td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td>--</td>\n<td>--</td>\n</tr>\n<tr>\n<td>ResponseData</td>\n<td>Object</td>\n<td>--</td>\n<td>Message</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","name":"Custody","type":"folder"}},"urlObject":{"path":["v2","custody","withdraw","transfer"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"d2fec98b-60df-43c2-bf6c-daae89566760","name":"New Request","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"BeneficiaryPaymentInstrumentID\": \"{{PaymentInstrumentID}}\",\n    \"Description\": \"Test API Payment\",\n    \"Amount\": \"0.00001\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/payment/custody/transfer"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"106"},{"key":"etag","value":"W/\"6a-OH69goxaz8X+R3khlztAD8DaH8M\""},{"key":"x-execution-time","value":"7160"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Thu, 29 Dec 2022 09:06:04 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FVT000000012821BTC\"\n    }\n}"}],"_postman_id":"0e693d80-7046-41fd-b0ff-c4889fbb944b"}],"id":"22092c61-7208-48c0-bd5b-f6bf10e49d95","description":"<p>These endpoints are used to apply for custody accounts and perform digital asset payments to different address using payment instruments</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"515d31ef-4c3c-4444-a810-f0463727ca62","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"6908588a-ee6c-412d-80e5-986c80e2c9a2","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"22092c61-7208-48c0-bd5b-f6bf10e49d95"},{"name":"Transactions","item":[{"name":"Get Transaction Details","id":"4c310554-dccc-4e79-8e2b-7fa9941fe712","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/transactions/details/:transactionNumber","description":"<p>To get the details about a transaction. Transaction number can be any of the response from payment or transfer endpoint.</p>\n<h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href=\"#transactiondata\">TransactionData</a></td>\n<td></td>\n<td>The details of the transaction</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"f841678a-13c0-495d-a83a-b3fba1058496","id":"f841678a-13c0-495d-a83a-b3fba1058496","name":"Transactions","type":"folder"}},"urlObject":{"path":["v2","transactions","details",":transactionNumber"],"host":["{{baseURL}}"],"query":[],"variable":[{"id":"8fb9a168-6f75-4b04-96d6-f5d857ef51cd","type":"any","value":"{{transactionNumber}}","key":"transactionNumber"}]}},"response":[{"id":"2047233b-37f0-4dea-b680-572714dfc80e","name":"Get Transaction Details","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/transactions/details/:transactionNumber","host":["{{baseURL}}"],"path":["transactions","details",":transactionNumber"],"variable":[{"key":"transactionNumber","value":"{{transactionNumber}}"}]}},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"362"},{"key":"etag","value":"W/\"16a-6mrDBxKQTXG/wEe+sXn4SjY2Tb4\""},{"key":"x-execution-time","value":"914"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Tue, 13 Sep 2022 10:22:14 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FV000006187\",\n        \"Status\": \"DENIED_AUTHORIZATION\",\n        \"CreatedAt\": \"2022-09-09T07:42:43.730-04:00\",\n        \"Amount\": \"1.00\",\n        \"From\": \"Rishav_Business - Rishav\",\n        \"To\": \"Rishav_test\",\n        \"Currency\": \"USD\",\n        \"Description\": \"Testing\",\n        \"Type\": {\n            \"value\": \"BUS_USD_Account.Payment_FV_Net\",\n            \"label\": \"Payment - FV Net\"\n        }\n    }\n}"},{"id":"7283643b-fd96-479f-86a9-6e6446de06a6","name":"Get Transaction Details - Deposit Details","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/transactions/details/:transactionNumber","host":["{{baseURL}}"],"path":["transactions","details",":transactionNumber"],"variable":[{"key":"transactionNumber","value":"{{transactionNumber}}"}]}},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"573"},{"key":"etag","value":"W/\"23d-7uUDKo9yOLeraTsMCH5F9glH8dE\""},{"key":"x-execution-time","value":"444"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Thu, 13 Jan 2022 08:14:19 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"TransactionNumber\": \"FV000005830\",\n        \"Status\": \"COMPLETE\",\n        \"CreatedAt\": \"2022-01-13T00:41:52.835-04:00\",\n        \"UpdatedAt\": \"2022-01-13T02:53:49.065-04:00\",\n        \"Amount\": \"100.00\",\n        \"From\": \"RAJESH\",\n        \"To\": \"MGT India - Anant Anand Gupta\",\n        \"Currency\": \"USD\",\n        \"Description\": \"test\",\n        \"Type\": {\n            \"value\": \"debit.BUS_ACH_Deposit\",\n            \"label\": \"Deposit - Domestic (ACH)\"\n        },\n        \"AdditionalData\": [\n            {\n                \"label\": \"Deposit Originator Name\",\n                \"value\": \"RAJESH\"\n            },\n            {\n                \"label\": \"Deposit Routing Number\",\n                \"value\": \"026001122\"\n            },\n            {\n                \"label\": \"Deposit Account Number\",\n                \"value\": \"98213123\"\n            }\n        ]\n    }\n}"},{"id":"9f1ea924-a967-4944-b112-d5a09c08cabc","name":"Get Transaction Details - Bad Request","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/transactions/details/:transactionNumber","host":["{{baseURL}}"],"path":["transactions","details",":transactionNumber"],"variable":[{"key":"transactionNumber","value":null}]}},"status":"Bad Request","code":400,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"85"},{"key":"etag","value":"W/\"55-jgZ42k2Mi6YlGmDw3Bx1uK3Smoc\""},{"key":"x-execution-time","value":"975"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Thu, 25 Nov 2021 13:03:34 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 400,\n    \"ResponseMessage\": \"BadRequest\",\n    \"ResponseErrors\": [\n        \"Bad Request.\"\n    ]\n}"},{"id":"158df49c-d7c4-4af9-b114-d1a011bc3689","name":"Get Transaction Details - Not Found","originalRequest":{"method":"GET","header":[],"url":{"raw":"{{baseURL}}/transactions/details/:transactionNumber","host":["{{baseURL}}"],"path":["transactions","details",":transactionNumber"],"variable":[{"key":"transactionNumber","value":null}]}},"status":"Not Found","code":404,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"81"},{"key":"etag","value":"W/\"51-VzXwA8WA2qlmS33ST5Z6wpu23/k\""},{"key":"x-execution-time","value":"337"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Thu, 25 Nov 2021 13:02:07 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 404,\n    \"ResponseMessage\": \"NotFound\",\n    \"ResponseErrors\": [\n        \"Not Found.\"\n    ]\n}"}],"_postman_id":"4c310554-dccc-4e79-8e2b-7fa9941fe712"},{"name":"Get Incomplete Transaction History","id":"a5d5dd1a-6f16-45f8-829f-09fccb5dfa05","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 50\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/transactions/history","description":"<p>Returns all the transactions that were incomplete, rejected, canceled, or failed.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Direction</td>\n<td>string</td>\n<td>No</td>\n<td>debit, credit</td>\n<td></td>\n</tr>\n<tr>\n<td>Status</td>\n<td>string</td>\n<td>No</td>\n<td>DENIED, PENDING, EXPIRED,  <br />CANCELLED</td>\n<td></td>\n</tr>\n<tr>\n<td>TransactionType</td>\n<td>string</td>\n<td>No</td>\n<td>Transaction types in the system</td>\n<td></td>\n</tr>\n<tr>\n<td>FromDate</td>\n<td>string</td>\n<td>No</td>\n<td></td>\n<td>Date in 'YYYY-MM-DD' format</td>\n</tr>\n<tr>\n<td>ToDate</td>\n<td>string</td>\n<td>No</td>\n<td></td>\n<td>Date in YYYY-MM-DD format</td>\n</tr>\n<tr>\n<td>PageNumber</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>When results are paginated, this field can be used to obtain the results for the required page number</td>\n</tr>\n<tr>\n<td>PageSize</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>Default PageSize is 40. This can be used to increase or decrease the number of records in a page</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href>TransactionData</a></td>\n<td></td>\n<td>contains all the transactions that were incomplete, rejected, cancelled, or failed.</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"f841678a-13c0-495d-a83a-b3fba1058496","id":"f841678a-13c0-495d-a83a-b3fba1058496","name":"Transactions","type":"folder"}},"urlObject":{"path":["v2","transactions","history"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"8af41365-75c5-43f8-b2fe-76ffe8b76b3a","name":"Get Transaction History","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n\n    \"PageNumber\": 1,\n    \"PageSize\": 50\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/transactions/history"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"etag","value":"W/\"437f-XgsERtzf+8OBqvN6T863JWn0gDY\""},{"key":"x-execution-time","value":"1693"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"content-encoding","value":"gzip"},{"key":"date","value":"Tue, 13 Sep 2022 10:25:56 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"transfer-encoding","value":"chunked"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Data\": [\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T06:09:23.245-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006265\",\n                \"Type\": {\n                    \"label\": \"Deposit - International Wire\",\n                    \"value\": \"debit.Business_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T06:09:05.008-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006264\",\n                \"Type\": {\n                    \"label\": \"Deposit - Domestic Wire\",\n                    \"value\": \"debit.Deposit_Domestic_Wire\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:54:35.063-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006263\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:52:26.235-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006261\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:02:29.724-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006259\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:01:33.192-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006258\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:01:04.171-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006256\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T04:31:25.396-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006250\",\n                \"Type\": {\n                    \"label\": \"Deposit - Domestic Wire\",\n                    \"value\": \"debit.Deposit_Domestic_Wire\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-09-09T08:32:25.729-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"\",\n                \"Direction\": \"Credit\",\n                \"From\": \"kesav m's business - Kesav M Business\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006194\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-09T07:42:43.730-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006187\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-09-09T07:40:34.439-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006184\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-30T03:17:22.791-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006044\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-30T03:15:31.201-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006043\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-30T03:10:50.136-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006042\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"10.00\",\n                \"CreatedAt\": \"2022-08-26T06:06:59.348-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000006026\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-26T06:05:08.540-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006023\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-26T01:46:49.390-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006021\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-26T01:08:23.280-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006018\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T08:41:26.766-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006011\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-25T08:26:57.263-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006004\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T08:18:57.120-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006003\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T05:45:22.681-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Individual_International_Wire)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000005996\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-25T03:07:09.889-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005990\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T02:44:32.381-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Individual_International_Wire Individual_International_Wire Doe\",\n                \"TransactionNumber\": \"FV000005981\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T02:26:35.827-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005976\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-24T15:22:28.658-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005959\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-24T08:44:33.186-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005947\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-24T07:26:34.328-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005942\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-24T05:48:00.769-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005922\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-24T05:47:00.956-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005921\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-23T02:33:10.274-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005901\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-23T01:59:21.821-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005899\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-23T01:56:44.100-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005896\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-23T01:55:41.757-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005893\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-23T01:35:10.882-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005889\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-23T01:31:49.996-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005886\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-22T15:26:26.047-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"PENDING_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005882\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"10.00\",\n                \"CreatedAt\": \"2022-07-26T06:09:47.004-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"random\",\n                \"Direction\": \"Credit\",\n                \"From\": \"leorio\",\n                \"Status\": \"EXPIRED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005542\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"10.00\",\n                \"CreatedAt\": \"2022-07-25T08:02:13.278-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Originator name\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005541\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"21.00\",\n                \"CreatedAt\": \"2022-07-25T04:42:05.975-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing deposit\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Bon_Iver\",\n                \"Status\": \"EXPIRED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005540\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-30T02:52:41.287-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005398\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-29T02:09:32.943-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005395\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-28T07:54:54.816-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"EXPIRED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005393\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-28T07:41:21.580-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"EXPIRED\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005389\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-06-28T03:32:05.069-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Test API Payment\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"EXPIRED\",\n                \"To\": \"Company Name\",\n                \"TransactionNumber\": \"FV000005381\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"20.00\",\n                \"CreatedAt\": \"2022-06-27T07:42:09.478-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005370\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"20.00\",\n                \"CreatedAt\": \"2022-06-27T07:41:24.476-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"CANCELLED\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005369\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-27T07:39:45.800-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_Business - Rishav\",\n                \"TransactionNumber\": \"FV000005368\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-27T07:36:10.173-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005362\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-06-27T07:35:46.716-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing API for transfer\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business - Rishav\",\n                \"Status\": \"DENIED_AUTHORIZATION\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005361\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            }\n        ],\n        \"PageNumber\": 1,\n        \"PageSize\": 50,\n        \"TotalCount\": 170\n    }\n}"}],"_postman_id":"a5d5dd1a-6f16-45f8-829f-09fccb5dfa05"},{"name":"Get Completed Transactions History","id":"f0f2d330-f73b-4fe8-9c5a-b9658258079e","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 30\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/transactions/history/completed","description":"<p>Returns all the completed transactions of the client.</p>\n<h2 id=\"request-body\">Request Body</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Required</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Direction  <br /></td>\n<td>string</td>\n<td>No</td>\n<td>debit, credit</td>\n<td></td>\n</tr>\n<tr>\n<td>TransactionType</td>\n<td>String</td>\n<td>No</td>\n<td>Transaction types in the system</td>\n<td></td>\n</tr>\n<tr>\n<td>FromDate</td>\n<td>string</td>\n<td>No</td>\n<td></td>\n<td>Date in 'YYYY-MM-DD' format</td>\n</tr>\n<tr>\n<td>ToDate</td>\n<td>string</td>\n<td>No</td>\n<td></td>\n<td>Date in YYYY-MM-DD format</td>\n</tr>\n<tr>\n<td>PageNumber</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>When results are paginated, this field can be used to obtain the results for the required page number</td>\n</tr>\n<tr>\n<td>PageSize</td>\n<td>integer</td>\n<td>No</td>\n<td></td>\n<td>Default PageSize is 40. This can be used to increase or decrease the number of records in a page</td>\n</tr>\n<tr>\n<td>Description</td>\n<td>string</td>\n<td>No</td>\n<td></td>\n<td>Filter the completed transactions on the basis of description</td>\n</tr>\n</tbody>\n</table>\n</div><h2 id=\"response\">Response</h2>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th><strong>Field</strong></th>\n<th><strong>Type</strong></th>\n<th><strong>Possible Values</strong></th>\n<th><strong>Description</strong></th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>ResponseCode</td>\n<td>integer</td>\n<td></td>\n<td>HTTP Response code (result of the API call)</td>\n</tr>\n<tr>\n<td>ResponseMessage</td>\n<td>string</td>\n<td></td>\n<td></td>\n</tr>\n<tr>\n<td>Response Data</td>\n<td><a href>TransactionData</a></td>\n<td></td>\n<td>Object contains a list of all the completed transactions</td>\n</tr>\n</tbody>\n</table>\n</div>","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"f841678a-13c0-495d-a83a-b3fba1058496","id":"f841678a-13c0-495d-a83a-b3fba1058496","name":"Transactions","type":"folder"}},"urlObject":{"path":["v2","transactions","history","completed"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"04ddd6bb-42b1-4bbd-b7e5-cde40386cd70","name":"Get Completed Transactions History","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"PageNumber\": 1,\n    \"PageSize\": 30,\n    \"Description\": \"\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/transactions/history/completed"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"etag","value":"W/\"27f8-szdd28f+4bN6mBnlIm/k/z8Plds\""},{"key":"x-execution-time","value":"1071"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"content-encoding","value":"gzip"},{"key":"date","value":"Tue, 13 Sep 2022 10:26:18 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"transfer-encoding","value":"chunked"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"Data\": [\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T06:10:03.029-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000006266\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:50:42.657-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000006260\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-13T05:00:43.259-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000006252\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-09T07:43:46.535-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000006189\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-09-09T07:42:07.867-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006186\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-09-09T07:42:07.867-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"AUTHORIZED\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006185\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-01T07:43:43.394-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006102\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-09-01T07:43:43.394-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006103\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-09-01T07:42:20.694-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006101\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-09-01T07:42:20.694-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006100\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-30T03:09:15.027-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"AUTHORIZED\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006040\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-08-30T03:09:15.027-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006041\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"10.00\",\n                \"CreatedAt\": \"2022-08-26T06:07:35.828-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000006027\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-08-26T06:06:38.260-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006025\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-26T06:06:38.260-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006024\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-08-25T08:40:57.282-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006010\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T08:40:57.282-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"AUTHORIZED\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000006009\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-25T08:39:24.347-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000006007\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-25T08:14:51.972-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000006001\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-08-25T08:14:51.972-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006002\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-08-25T05:49:08.743-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000006000\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-25T05:49:08.743-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_test\",\n                \"TransactionNumber\": \"FV000005999\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T05:46:46.029-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"AUTHORIZED\",\n                \"To\": \"test_company\",\n                \"TransactionNumber\": \"FV000005997\",\n                \"Type\": {\n                    \"label\": \"Payment - Domestic (ACH)\",\n                    \"value\": \"BUS_USD_Account.Business_ACH\"\n                }\n            },\n            {\n                \"Amount\": \"5.00\",\n                \"CreatedAt\": \"2022-08-25T05:46:46.029-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Business Endpoint)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000005998\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"10.00\",\n                \"CreatedAt\": \"2022-08-25T03:18:03.376-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Dummy Deposit For Test\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Test Sender\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000005991\",\n                \"Type\": {\n                    \"label\": \"CREDIT – ACH DOMESTIC TRANSACTION\",\n                    \"value\": \"debit.BUS_ACH_Deposit\"\n                }\n            },\n            {\n                \"Amount\": \"1.00\",\n                \"CreatedAt\": \"2022-08-25T02:50:27.133-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"test request payment\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Rishav_test\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000005987\",\n                \"Type\": {\n                    \"label\": \"Payment - FV Net\",\n                    \"value\": \"BUS_USD_Account.Payment_FV_Net\"\n                }\n            },\n            {\n                \"Amount\": \"75.00\",\n                \"CreatedAt\": \"2022-08-25T02:47:54.900-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"\",\n                \"Direction\": \"Credit\",\n                \"From\": \"FV Bank\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000005985\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T02:47:54.888-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Returned item for Testing Beneficiary Payment for Transaction Details endpoint (Individual_International_Wire)\",\n                \"Direction\": \"Credit\",\n                \"From\": \"Individual_International_Wire Individual_International_Wire Doe\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Rishav_Business\",\n                \"TransactionNumber\": \"FV000005984\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            },\n            {\n                \"Amount\": \"75.00\",\n                \"CreatedAt\": \"2022-08-25T02:46:18.787-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Individual_International_Wire)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"FV Bank\",\n                \"TransactionNumber\": \"FV000005983\",\n                \"Type\": {\n                    \"label\": \"Transaction Fee\",\n                    \"value\": \"BUS_USD_Account.Transaction_Fee\"\n                }\n            },\n            {\n                \"Amount\": \"7.00\",\n                \"CreatedAt\": \"2022-08-25T02:46:18.787-04:00\",\n                \"Currency\": \"USD\",\n                \"Description\": \"Testing Beneficiary Payment for Transaction Details endpoint (Individual_International_Wire)\",\n                \"Direction\": \"Debit\",\n                \"From\": \"Rishav_Business\",\n                \"Status\": \"COMPLETE\",\n                \"To\": \"Individual_International_Wire Individual_International_Wire Doe\",\n                \"TransactionNumber\": \"FV000005982\",\n                \"Type\": {\n                    \"label\": \"Payment - International Wire\",\n                    \"value\": \"BUS_USD_Account.BUS_International_Transfer\"\n                }\n            }\n        ],\n        \"PageNumber\": 1,\n        \"PageSize\": 30,\n        \"TotalCount\": 173\n    }\n}"}],"_postman_id":"f0f2d330-f73b-4fe8-9c5a-b9658258079e"},{"name":"Re-Send Webhook","id":"b881413f-1da3-4044-beb9-e30de6c6834f","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"TransactionNumber\": \"\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/v2/transactions/send-webhook","description":"<p>Use the Send Webhook endpoint to easily trigger the webhook for the the latest transaction state by providing the transaction number in the request body,</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"f841678a-13c0-495d-a83a-b3fba1058496","id":"f841678a-13c0-495d-a83a-b3fba1058496","name":"Transactions","type":"folder"}},"urlObject":{"path":["v2","transactions","send-webhook"],"host":["{{baseURL}}"],"query":[],"variable":[]}},"response":[{"id":"7213fb74-bc04-4d74-ab84-bb8e8d1c97da","name":"Re-Send Webhook (Success)","originalRequest":{"method":"POST","header":[],"body":{"mode":"raw","raw":"{\n    \"TransactionNumber\": \"FV000020154\"\n}","options":{"raw":{"language":"json"}}},"url":"{{baseURL}}/transactions/send-webhook"},"status":"OK","code":200,"_postman_previewlanguage":"json","header":[{"key":"x-powered-by","value":"Express"},{"key":"content-security-policy","value":"default-src 'self';base-uri 'self';block-all-mixed-content;font-src 'self' https: data:;form-action 'self';frame-ancestors 'self';img-src 'self' data:;object-src 'none';script-src 'self';script-src-attr 'none';style-src 'self' https: 'unsafe-inline';upgrade-insecure-requests"},{"key":"cross-origin-embedder-policy","value":"require-corp"},{"key":"cross-origin-opener-policy","value":"same-origin"},{"key":"cross-origin-resource-policy","value":"same-origin"},{"key":"x-dns-prefetch-control","value":"off"},{"key":"expect-ct","value":"max-age=0"},{"key":"x-frame-options","value":"SAMEORIGIN"},{"key":"strict-transport-security","value":"max-age=15552000; includeSubDomains"},{"key":"x-download-options","value":"noopen"},{"key":"x-content-type-options","value":"nosniff"},{"key":"origin-agent-cluster","value":"?1"},{"key":"x-permitted-cross-domain-policies","value":"none"},{"key":"referrer-policy","value":"no-referrer"},{"key":"x-xss-protection","value":"0"},{"key":"access-control-allow-origin","value":"*"},{"key":"content-type","value":"application/json; charset=utf-8"},{"key":"content-length","value":"116"},{"key":"etag","value":"W/\"74-RM6pp/NbpR72hc7o6I/mYvikHNU\""},{"key":"x-execution-time","value":"1076"},{"key":"vary","value":"Accept-Encoding, Authorization, Cookie"},{"key":"date","value":"Wed, 08 Nov 2023 09:25:24 GMT"},{"key":"connection","value":"keep-alive"},{"key":"keep-alive","value":"timeout=5"},{"key":"cache-control","value":"private"}],"cookie":[],"responseTime":null,"body":"{\n    \"ResponseCode\": 200,\n    \"ResponseMessage\": \"Success\",\n    \"ResponseData\": {\n        \"WebhookId\": \"7bdeb64f-50b2-4624-87ea-4fa111282e8e\"\n    }\n}"}],"_postman_id":"b881413f-1da3-4044-beb9-e30de6c6834f"}],"id":"f841678a-13c0-495d-a83a-b3fba1058496","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"eeb14c5e-49b7-4b91-9f83-973b33680510","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"843be248-299e-496e-9079-dd4a6ef05360","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"f841678a-13c0-495d-a83a-b3fba1058496","description":""},{"name":"Files","item":[{"name":"Get File","id":"95935b9b-cbcc-4ab5-a6ee-450cd422a1de","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/files/:FileId","description":"<p>This endpoint takes a temp file ID as a path variable and returns the image or document that was previously uploaded using the Upload File endpoint. The response will contain the file in its original format.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","name":"Files","type":"folder"}},"urlObject":{"path":["v2","files",":FileId"],"host":["{{baseURL}}"],"query":[],"variable":[{"id":"3b6352d6-189b-4161-873c-07e70feacfa9","type":"any","value":"{{FileId}}","key":"FileId"}]}},"response":[],"_postman_id":"95935b9b-cbcc-4ab5-a6ee-450cd422a1de"},{"name":"Get File Details","id":"6cce6a24-3ebd-4411-98a5-5a0b3c796517","protocolProfileBehavior":{"disableBodyPruning":true},"request":{"method":"GET","header":[],"url":"{{baseURL}}/v2/files/details/:FileId","description":"<p>This endpoint takes a temp file ID as a path variable and returns details about the file such as its name and format. The response will contain metadata about the file that was previously uploaded using the Upload File endpoint.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","name":"Files","type":"folder"}},"urlObject":{"path":["v2","files","details",":FileId"],"host":["{{baseURL}}"],"query":[],"variable":[{"id":"14eaeb4b-9dc3-463f-98ae-ee697b6ba0f2","type":"any","value":"{{FileId}}","key":"FileId"}]}},"response":[],"_postman_id":"6cce6a24-3ebd-4411-98a5-5a0b3c796517"},{"name":"Upload File","event":[{"listen":"test","script":{"id":"20830f33-a27f-4e0d-a818-2958b4ab1058","exec":["var jsonData = pm.response.json();","if(!!jsonData?.ResponseData?.ID){","    pm.environment.set(\"FileId\", jsonData.ResponseData.ID);","}",""],"type":"text/javascript","packages":{},"requests":{}}}],"id":"301b6634-8cb9-4ee9-b8bc-a5ef1bde06fb","protocolProfileBehavior":{"disableBodyPruning":true,"disabledSystemHeaders":{}},"request":{"method":"POST","header":[],"body":{"mode":"file","file":{"src":"/Users/rajesh/Downloads/dummy-pdf_2.pdf"}},"url":"{{baseURL}}/v2/files/upload?customField=Payment_Invoice&fileName=Ducket.pdf","description":"<h2 id=\"📄-upload-file\">📄 Upload File</h2>\n<p>The <strong>Upload File</strong> endpoint allows you to upload documents and retrieve a <strong>File ID</strong>, which can then be used across different APIs wherever file-type parameters are required.</p>\n<p>This is a <strong>foundational endpoint</strong> used in multiple flows such as:</p>\n<ul>\n<li><p>Outbound <strong>Bank Payments</strong> (e.g., invoices, supporting documents)</p>\n</li>\n<li><p><strong>Virtual Account creation</strong> (KYC/identity documents)</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚙️-how-it-works\">⚙️ How It Works</h3>\n<ul>\n<li><p>You upload a file using this endpoint</p>\n</li>\n<li><p>The system returns a <strong>File ID</strong></p>\n</li>\n<li><p>This File ID is then passed in other API requests wherever required</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🔑-query-parameters\">🔑 Query Parameters</h3>\n<ul>\n<li><p><code>customField</code> → Defines <strong>where this file will be used</strong></p>\n</li>\n<li><p><code>fileName</code> → Name of the file (must include correct extension, e.g., <code>.pdf</code>, <code>.png</code>)</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🔗-usage-mapping\">🔗 Usage Mapping</h3>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Endpoint</th>\n<th>Parameter</th>\n<th>customField</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>Payments</td>\n<td>SupportingDocument</td>\n<td>Payment_Invoice</td>\n</tr>\n<tr>\n<td>Add Virtual Account (Business Beneficiary)</td>\n<td>Document_File</td>\n<td>Document_File</td>\n</tr>\n<tr>\n<td>Add Virtual Account (Individual Beneficiary)</td>\n<td>Front_Document</td>\n<td>Front_Document</td>\n</tr>\n<tr>\n<td>Add Virtual Account (Individual Beneficiary)</td>\n<td>Back_Document</td>\n<td>Back_Document</td>\n</tr>\n</tbody>\n</table>\n</div><hr />\n<h3 id=\"🧠-key-notes\">🧠 Key Notes</h3>\n<ul>\n<li><p>The <strong>File ID is mandatory</strong> for any file-type field</p>\n</li>\n<li><p>Ensure <code>customField</code> matches the exact field where the file will be used</p>\n</li>\n<li><p><code>fileName</code> must match the actual file type being uploaded</p>\n</li>\n<li><p>Files uploaded here are <strong>reusable across flows</strong></p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚠️-file-constraints\">⚠️ File Constraints</h3>\n<ul>\n<li><p>Maximum file size: <strong>5 MB</strong></p>\n</li>\n<li><p>Maximum file name length: <strong>100 characters</strong></p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-example-usage\">📌 Example Usage</h3>\n<ul>\n<li><p>Upload invoice → use File ID in <code>SupportingDocument</code> while creating payment</p>\n</li>\n<li><p>Upload ID proof → use File ID in <code>Front_Document</code> / <code>Back_Document</code> during beneficiary creation</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🚀-summary\">🚀 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;file-upload-summary&quot;\">Upload File → Get File ID → Use in Payments / Beneficiary / Virtual Account APIs\n\n</code></pre>\n<p>This ensures a <strong>consistent and reusable document handling mechanism</strong> across the system.</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":true,"source":{"_postman_id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","name":"Files","type":"folder"}},"urlObject":{"path":["v2","files","upload"],"host":["{{baseURL}}"],"query":[{"key":"customField","value":"Payment_Invoice"},{"key":"fileName","value":"Ducket.pdf"}],"variable":[]}},"response":[],"_postman_id":"301b6634-8cb9-4ee9-b8bc-a5ef1bde06fb"}],"id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee","description":"<p>The \"Files\" section of this API provides functionality to upload and retrieve files in various formats such as png, jpg, jpeg and pdf. This section contains three endpoints which are described below:</p>\n","auth":{"type":"bearer","bearer":{"basicConfig":[{"key":"token","value":"{{sessionToken}}"}]},"isInherited":false},"event":[{"listen":"prerequest","script":{"id":"14947baf-6f42-4dcb-9a28-a436d079cd7c","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"7b2c6442-41b1-4955-abd6-62094c18e332","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"_postman_id":"9cf860b8-0688-4b63-a9f7-d01a9d34afee"}],"id":"3879924f-a111-441f-b4c9-5f6a05ec7f07","description":"<p>The API Reference section provides a <strong>comprehensive list of all available endpoints</strong> in the FV Merchant API suite, organized by functional categories.</p>\n<p>Each endpoint includes:</p>\n<ul>\n<li><p>Request structure and required parameters</p>\n</li>\n<li><p>Sample request/response examples</p>\n</li>\n<li><p>Field-level details for accurate integration</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🧭-how-to-use-this-section\">🧭 How to Use This Section</h3>\n<ul>\n<li><p>Use this section as a <strong>technical reference</strong> while building your integration</p>\n</li>\n<li><p>Follow the <strong>Use Cases</strong> section for end-to-end flows, and refer here for exact API details</p>\n</li>\n<li><p>Identify the relevant category (e.g., Beneficiaries, Payments, Transactions) and explore the endpoints within it</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🧩-api-categories\">🧩 API Categories</h3>\n<p>The APIs are grouped based on their functionality:</p>\n<ul>\n<li><p><strong>Beneficiaries</strong> → Create and manage recipients</p>\n</li>\n<li><p><strong>Payment Methods</strong> → Add and manage payment instruments</p>\n</li>\n<li><p><strong>Payments</strong> → Initiate outbound transactions (bank &amp; stablecoin)</p>\n</li>\n<li><p><strong>Transactions</strong> → Retrieve transaction details and history</p>\n</li>\n<li><p><strong>Accounts</strong> → View balances and deposit instructions</p>\n</li>\n<li><p><strong>Files</strong> → Upload and manage supporting documents</p>\n</li>\n</ul>\n<hr />\n","_postman_id":"3879924f-a111-441f-b4c9-5f6a05ec7f07"},{"name":"🔔 Webhooks","item":[{"name":"Payment Webhooks","item":[],"id":"31393443-17b8-4399-a1ec-139d6305e506","description":"<h2 id=\"💳-payment-webhooks\">💳 Payment Webhooks</h2>\n<p>These webhooks notify you about <strong>outbound transaction lifecycle events</strong> in the FV Bank system—from creation to final status updates.</p>\n<hr />\n<h3 id=\"📌-transaction-event-types\">📌 Transaction Event Types</h3>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Event Type</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td><code>TRANSACTION_CREATED</code></td>\n<td>Triggered when a transaction is created in the FV Bank system. The payment is not yet processed and requires compliance review before funds transfer begins.</td>\n</tr>\n<tr>\n<td><code>TRANSACTION_DENIED</code></td>\n<td>Triggered when a transaction is rejected by the compliance team. The payment will not be processed further.</td>\n</tr>\n<tr>\n<td><code>TRANSACTION_AUTHORIZED</code></td>\n<td>Triggered when a transaction receives approval from the compliance team. Some transactions may require multiple approvals before processing.</td>\n</tr>\n<tr>\n<td><code>TRANSACTION_STATUS</code></td>\n<td>Triggered when there is an update to the transaction status after funds transfer has been initiated. This includes updates from intermediary or receiving banks.</td>\n</tr>\n<tr>\n<td><code>TRANSACTION_CANCELLED</code></td>\n<td>Triggered when a transaction is cancelled by the compliance team before completion.</td>\n</tr>\n<tr>\n<td><code>TRANSACTION_EXPIRED</code></td>\n<td>Triggered when a transaction expires due to no action or approval from the compliance team within a defined timeframe.</td>\n</tr>\n</tbody>\n</table>\n</div><hr />\n<h3 id=\"⚠️-important-note-on-transaction_status\">⚠️ Important Note on <code>TRANSACTION_STATUS</code></h3>\n<p>The <code>TRANSACTION_STATUS</code> webhook has a <strong>different payload structure</strong> compared to other transaction events.</p>\n<ul>\n<li><p>It includes status changes from the beneficiary bank side</p>\n</li>\n<li><p>Should be used to track <strong>progress after initiation</strong></p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📦-example-transaction-webhook-all-events-except-transaction_status\">📦 Example: Transaction Webhook (All Events Except <code>TRANSACTION_STATUS</code>)</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"Date\": \"2023-06-15T07:46:18\",\n  \"Data\": {\n    \"CreatedDate\": \"2023-06-15T07:46:18.150Z\",\n    \"TransactionNumber\": \"FV000017423\",\n    \"Type\": \"Payment - Domestic (ACH)\",\n    \"Amount\": \"1.00\",\n    \"From\": \"Rishav_Business - Rishav\",\n    \"To\": \"Johnie Rogan\",\n    \"Currency\": \"USD\",\n    \"Description\": \"Rent payment\",\n    \"Purpose\": \"Savings\",\n    \"AdditionalData\": [\n      { \"label\": \"Routing Number\", \"value\": \"026001591\" },\n      { \"label\": \"Account Number\", \"value\": \"118877665101\" },\n      { \"label\": \"Bank_Account_Type\", \"value\": \"Saving\" },\n      { \"label\": \"Beneficiary First Name\", \"value\": \"Johnie\" },\n      { \"label\": \"Beneficiary Last Name\", \"value\": \"Johnie Rogan\" }\n    ]\n  },\n  \"Event\": \"TRANSACTION_CREATED\",\n  \"Id\": \"03539a28-4453-425d-9720-15037d0ef027\",\n  \"Message\": \"Transaction created\"\n}\n\n</code></pre>\n<hr />\n<h3 id=\"📦-example-transaction-status-webhook\">📦 Example: Transaction Status Webhook</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"Date\": \"2022-05-18T07:32:22\",\n  \"Data\": {\n    \"CreatedDate\": \"2022-05-18T07:30:44.863Z\",\n    \"NewStatus\": \"COMPLETED\",\n    \"OldStatus\": \"IN PROCESS\",\n    \"TransactionNumber\": \"FV000004645\",\n    \"Type\": \"Payment - Domestic Wire\"\n  },\n  \"AdditionalData\": [\n      { \"label\": \"Routing Number\", \"value\": \"026001591\" },\n      { \"label\": \"Account Number\", \"value\": \"118877665101\" },\n      { \"label\": \"Bank_Account_Type\", \"value\": \"Saving\" },\n      { \"label\": \"Beneficiary First Name\", \"value\": \"Johnie\" },\n      { \"label\": \"Beneficiary Last Name\", \"value\": \"Johnie Rogan\" }\n   ],\n  \"Event\": \"TRANSACTION_STATUS\",\n  \"Message\": \"The member transaction status changed\"\n}\n\n</code></pre>\n<hr />\n<h3 id=\"🧠-how-to-use-these-events-payments\">🧠 How to Use These Events (Payments)</h3>\n<ul>\n<li><p>Use <code>TRANSACTION_CREATED</code> to detect that an outbound payment has been initiated and is awaiting compliance review</p>\n</li>\n<li><p>Use <code>TRANSACTION_AUTHORIZED</code> to confirm the payment has passed compliance checks and is approved for processing</p>\n</li>\n<li><p>Use <code>TRANSACTION_STATUS</code> to track real-time updates once funds movement has begun (e.g., processing, completed)</p>\n</li>\n<li><p>Use <code>TRANSACTION_DENIED</code>, <code>TRANSACTION_CANCELLED</code>, and <code>TRANSACTION_EXPIRED</code> as failure or terminal states requiring attention or retry logic</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚠️-best-practices\">⚠️ Best Practices</h3>\n<ul>\n<li><p>Always verify webhook signatures before processing</p>\n</li>\n<li><p>Handle duplicate events (idempotency)</p>\n</li>\n<li><p>Use <code>TransactionNumber</code> to reconcile with your system</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary\">📌 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;txn-summary&quot;\">Compliance Flow → CREATED → AUTHORIZED / DENIED → CANCELLED / EXPIRED  \nExecution Flow → STATUS (IN PROCESS → COMPLETED / FAILED)\n\n</code></pre>\n<p>These webhooks allow you to build <strong>real-time tracking and reconciliation</strong> for all outbound payments.</p>\n","_postman_id":"31393443-17b8-4399-a1ec-139d6305e506"},{"name":"Deposit Webhooks","item":[],"id":"d4d3ba53-19ec-4298-8a30-b2682e7e7b41","description":"<h2 id=\"🪙-deposit-webhooks\">🪙 Deposit Webhooks</h2>\n<p>These webhooks notify you about <strong>incoming deposits</strong> to your FV Bank account, including their compliance lifecycle and final outcome.</p>\n<hr />\n<h3 id=\"📌-deposit-event-types\">📌 Deposit Event Types</h3>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Event Type</th>\n<th>Description</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td><code>DEPOSIT_RECEIVED</code></td>\n<td>Triggered when FV Bank receives a deposit against your deposit instructions. The funds are not yet credited and require compliance review.</td>\n</tr>\n<tr>\n<td><code>DEPOSIT_AUTHORIZED</code></td>\n<td>Triggered when the deposit is approved by compliance and funds are successfully credited to your account.</td>\n</tr>\n<tr>\n<td><code>DEPOSIT_DENIED</code></td>\n<td>Triggered when a deposit is rejected by the compliance team and will not be credited.</td>\n</tr>\n<tr>\n<td><code>DEPOSIT_CANCELLED</code></td>\n<td>Triggered when a deposit is cancelled by the compliance team before completion.</td>\n</tr>\n<tr>\n<td><code>DEPOSIT_RETURNED</code></td>\n<td>Triggered when the deposit is returned back to the original sender of funds.</td>\n</tr>\n</tbody>\n</table>\n</div><hr />\n<h3 id=\"📦-example-deposit-webhook\">📦 Example: Deposit Webhook</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"Date\": \"2022-01-13T04:41:53\",\n  \"Data\": {\n    \"CreatedDate\": \"2023-02-17T11:09:31.609Z\",\n    \"TransactionNumber\": \"FV000014212\",\n    \"Type\": \"Deposit - Domestic Wire\",\n    \"Amount\": \"3999600.00\",\n    \"From\": \"FALCONX LIMITED\",\n    \"To\": \"Raj Biz Co - Raj Biz\",\n    \"Currency\": \"USD\",\n    \"Description\": \"DEPOSIT REFERENCE: 7801000107\",\n    \"AdditionalData\": [\n      {\n        \"label\": \"Originator Name\",\n        \"value\": \"FALCONX LIMITED\"\n      },\n      {\n        \"label\": \"Originator Account Number\",\n        \"value\": \"5090013995\"\n      },\n      {\n        \"label\": \"Originator Address\",\n        \"value\": \"LEVEL G, OFFICE 1/1191, QUANTUM HOUSE 75 ABATE RIGORD STREET\"\n      },\n      {\n        \"label\": \"IMAD\",\n        \"value\": \"20220913MMQFMPUR001023\"\n      },\n      {\n        \"label\": \"OMAD\",\n        \"value\": \"20220913GMQFMP0101552709131240\"\n      },\n      {\n        \"label\": \"Import Key\",\n        \"value\": \"2ac616d6-9a7c-4bae-8aeb-ea6d494f6fdb\"\n      }\n    ]\n  },\n  \"Event\": \"DEPOSIT_RECEIVED\",\n  \"Message\": \"Deposit created\"\n}\n\n</code></pre>\n<hr />\n<h3 id=\"🧾-virtual-account-deposits\">🧾 Virtual Account Deposits</h3>\n<p>If a deposit is made to a <strong>virtual account mapped to a beneficiary</strong>, an additional field will be included in the webhook payload:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-json\">{\n  \"Date\": \"2022-01-13T04:41:53\",\n  \"Data\": {\n    \"CreatedDate\": \"2023-02-17T11:14:25.634Z\",\n    \"TransactionNumber\": \"FV000014214\",\n    \"Type\": \"Deposit - Domestic Wire\",\n    \"Amount\": \"400000\",\n    \"From\": \"FALCONX LIMITED\",\n    \"To\": \"Raj Biz Co - Raj Biz\",\n    \"Currency\": \"USD\",\n    \"Description\": \"780008000006\",\n    \"AdditionalData\": [\n      {\n        \"label\": \"Originator Name\",\n        \"value\": \"FALCONX LIMITED\"\n      },\n      {\n        \"label\": \"Originator Account Number\",\n        \"value\": \"5090013995\"\n      },\n      {\n        \"label\": \"Originator Address\",\n        \"value\": \"LEVEL G, OFFICE 1/1191, QUANTUM HOUSE 75 ABATE RIGORD STREET\"\n      },\n      {\n        \"label\": \"IMAD\",\n        \"value\": \"20220913MMQFMPUR001023\"\n      },\n      {\n        \"label\": \"OMAD\",\n        \"value\": \"20220913GMQFMP0101552709131240\"\n      },\n      {\n        \"label\": \"Import Key\",\n        \"value\": \"2ac616d6-9a7c-4bae-8aeb-ea6d494f6fdb\"\n      },\n      {\n        \"label\": \"Virtual Account\",\n        \"value\": \"780008000006\"\n      }\n    ]\n  },\n  \"Event\": \"DEPOSIT_RECEIVED\",\n  \"Message\": \"Deposit created\"\n}\n\n</code></pre>\n<hr />\n<h3 id=\"🧠-how-to-use-these-events\">🧠 How to Use These Events</h3>\n<ul>\n<li><p>Use <code>DEPOSIT_RECEIVED</code> to detect incoming funds awaiting approval</p>\n</li>\n<li><p>Use <code>DEPOSIT_AUTHORIZED</code> as the <strong>final success state</strong> (funds credited)</p>\n</li>\n<li><p>Handle <code>DENIED</code>, <code>CANCELLED</code>, and <code>RETURNED</code> as failure scenarios</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"⚠️-important-notes\">⚠️ Important Notes</h3>\n<ul>\n<li><p>Deposits follow a <strong>compliance-driven lifecycle</strong> similar to payments</p>\n</li>\n<li><p>Funds are <strong>only available after</strong> <strong><code>DEPOSIT_AUTHORIZED</code></strong></p>\n</li>\n<li><p>Always use <code>TransactionNumber</code> for reconciliation</p>\n</li>\n<li><p>Additional details (originator info, bank references) are available in <code>AdditionalData</code></p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary\">📌 Summary</h3>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-id=&quot;deposit-summary&quot;\">RECEIVED → AUTHORIZED (Success)  \n         → DENIED / CANCELLED / RETURNED (Failure)\n\n</code></pre>\n<p>These webhooks enable <strong>real-time tracking and reconciliation of incoming funds</strong> into your FV account.</p>\n","_postman_id":"d4d3ba53-19ec-4298-8a30-b2682e7e7b41"}],"id":"22842df9-8d9d-4cd5-a4ee-43679c8a6eb5","description":"<h2 id=\"🔔-webhooks\">🔔 Webhooks</h2>\n<p>Webhooks allow you to receive <strong>real-time notifications</strong> about important events related to <strong>outbound</strong> and <strong>inbound</strong> transactions in your FV Merchant account, eliminating the need to continuously poll APIs.</p>\n<hr />\n<h3 id=\"📡-how-webhooks-work\">📡 How Webhooks Work</h3>\n<p>When an event occurs (e.g., payment status update or deposit confirmation), FV Bank sends an <strong>HTTP POST request</strong> to your configured webhook URL with event details.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-text\">Event Occurs → FV System → Webhook POST → Your Server → Process Event\n\n</code></pre>\n<hr />\n<h3 id=\"⚙️-webhook-setup\">⚙️ Webhook Setup</h3>\n<p>To receive webhooks, you must provide a <strong>publicly accessible HTTPS endpoint</strong>.</p>\n<ul>\n<li><p>The endpoint must accept <strong>POST requests</strong></p>\n</li>\n<li><p>It should return a <strong>200 OK response</strong> to acknowledge successful receipt</p>\n</li>\n<li><p>Non-200 responses will trigger retries</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"🔐-webhook-security-signature-verification\">🔐 Webhook Security (Signature Verification)</h3>\n<p>Each webhook request includes a signature header to verify authenticity.</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-http\">x-webhook-signature: &lt;signature&gt;\n\n</code></pre>\n<h4 id=\"how-to-verify\">How to verify:</h4>\n<ol>\n<li><p>Use your <strong>webhook secret key</strong></p>\n</li>\n<li><p>Compute HMAC SHA256 of the request payload</p>\n</li>\n<li><p>Compare with the signature header</p>\n</li>\n</ol>\n<p>Example (Node.js):</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-javascript\">const crypto = await import('crypto');\nconst signature = res.headers['x-signature'];\nconst hmac = crypto.createHmac('sha256', CLIENT_SECRET);\nconst expectedSignature = hmac.update(JSON.stringify(res.body?.Data)).digest('hex');\nconst a = Buffer.from(signature);\nconst b = Buffer.from(expectedSignature);\nif (crypto.timingSafeEqual(a, b)) {\n    console.log('Matched');\n} else {\n    console.log('Signature Not Matched');\n}\n\n</code></pre>\n<hr />\n<h3 id=\"🔁-retry-mechanism\">🔁 Retry Mechanism</h3>\n<p>If your server does not return a <code>200 OK</code> response:</p>\n<ul>\n<li><p>The webhook will be retried automatically</p>\n</li>\n<li><p>Multiple retry attempts will be made with increasing intervals</p>\n</li>\n</ul>\n<blockquote>\n<p>Ensure your endpoint is idempotent to safely handle duplicate events </p>\n</blockquote>\n<hr />\n<h3 id=\"📌-best-practices\">📌 Best Practices</h3>\n<ul>\n<li><p>Verify webhook signatures before processing</p>\n</li>\n<li><p>Store processed event IDs to prevent duplication</p>\n</li>\n<li><p>Use webhooks for real-time updates and APIs for reconciliation</p>\n</li>\n<li><p>Always return <code>200 OK</code> quickly, then process asynchronously</p>\n</li>\n</ul>\n<hr />\n<h3 id=\"📌-summary\">📌 Summary</h3>\n<p>Webhooks provide a reliable way to stay updated on:</p>\n<pre class=\"click-to-expand-wrapper is-snippet-wrapper\"><code class=\"language-text\">Payments → Status Updates  \nDeposits → Confirmation Events  \n\n</code></pre>\n<p>They are essential for building <strong>real-time, event-driven integrations</strong>.</p>\n","_postman_id":"22842df9-8d9d-4cd5-a4ee-43679c8a6eb5"},{"name":"⚠️ Errors","item":[],"id":"5b3c5a4e-f477-4618-aa9e-511d59f1d139","description":"<h2 id=\"⚠️-errors\">⚠️ Errors</h2>\n<p>The FV Merchant APIs use <strong>standard HTTP status codes</strong> along with a structured response body to indicate success or failure of a request.</p>\n<hr />\n<h3 id=\"🧾-error-response-structure\">🧾 Error Response Structure</h3>\n<p>All error responses follow a consistent format:</p>\n<hr />\n<h3 id=\"🔢-http-status-codes\">🔢 HTTP Status Codes</h3>\n<div class=\"click-to-expand-wrapper is-table-wrapper\"><table>\n<thead>\n<tr>\n<th>Status Code</th>\n<th>Meaning</th>\n</tr>\n</thead>\n<tbody>\n<tr>\n<td>200</td>\n<td>Request successful</td>\n</tr>\n<tr>\n<td>400</td>\n<td>Bad request / validation error</td>\n</tr>\n<tr>\n<td>401</td>\n<td>Unauthorized (invalid or expired token)</td>\n</tr>\n<tr>\n<td>403</td>\n<td>Forbidden (insufficient permissions)</td>\n</tr>\n<tr>\n<td>404</td>\n<td>Resource not found</td>\n</tr>\n<tr>\n<td>409</td>\n<td>Conflict (duplicate or invalid state)</td>\n</tr>\n<tr>\n<td>500</td>\n<td>Internal server error</td>\n</tr>\n</tbody>\n</table>\n</div><hr />\n<h3 id=\"🚨-common-error-types\">🚨 Common Error Types</h3>\n<h4 id=\"1-authentication-errors\">1. Authentication Errors</h4>\n<ul>\n<li><p>Invalid or expired SessionToken</p>\n</li>\n<li><p>Missing <code>Authorization</code> / <code>X-AUTH-TOKEN</code> header</p>\n</li>\n</ul>\n<p>👉 <strong>Fix:</strong> Regenerate token via <code>/auth</code></p>\n<hr />\n<h4 id=\"2-validation-errors\">2. Validation Errors</h4>\n<ul>\n<li><p>Missing required fields</p>\n</li>\n<li><p>Incorrect field formats (email, amount, etc.)</p>\n</li>\n<li><p>Invalid enum values</p>\n</li>\n</ul>\n<p>👉 <strong>Fix:</strong> Validate request body against API specs</p>\n<hr />\n<h4 id=\"3-business-logic-errors\">3. Business Logic Errors</h4>\n<ul>\n<li><p>Invalid Beneficiary / Payment Instrument ID</p>\n</li>\n<li><p>Insufficient balance</p>\n</li>\n<li><p>Compliance rejection</p>\n</li>\n</ul>\n<p>👉 <strong>Fix:</strong> Verify data and transaction eligibility</p>\n<hr />\n<h4 id=\"4-file-upload-errors\">4. File Upload Errors</h4>\n<ul>\n<li><p>File size exceeds limit (5 MB)</p>\n</li>\n<li><p>Invalid file type or name</p>\n</li>\n<li><p>Incorrect <code>customField</code> mapping</p>\n</li>\n</ul>\n<p>👉 <strong>Fix:</strong> Follow file constraints and mapping rules</p>\n<hr />\n<h4 id=\"5-transaction-errors\">5. Transaction Errors</h4>\n<ul>\n<li><p>Payment denied or expired</p>\n</li>\n<li><p>Invalid transaction state</p>\n</li>\n<li><p>Duplicate or conflicting request</p>\n</li>\n</ul>\n<p>👉 <strong>Fix:</strong> Use Transaction APIs or Webhooks to verify state before retrying</p>\n<hr />\n<h3 id=\"🔁-handling-token-expiry\">🔁 Handling Token Expiry</h3>\n<ul>\n<li><p>If API returns <strong>401 Unauthorized</strong>, regenerate SessionToken</p>\n</li>\n<li><p>If <code>x-refresh-token</code> is returned in headers:</p>\n<ul>\n<li><p>Replace existing token</p>\n</li>\n<li><p>Continue without re-authentication</p>\n</li>\n</ul>\n</li>\n</ul>\n<hr />\n<h3 id=\"🧠-best-practices\">🧠 Best Practices</h3>\n<ul>\n<li><p>Always log <code>ResponseCode</code> and <code>ResponseMessage</code></p>\n</li>\n<li><p>Use <strong>Webhooks</strong> to track transaction failures</p>\n</li>\n<li><p>Implement <strong>retry logic</strong> only for safe operations</p>\n</li>\n<li><p>Avoid retrying failed payments without validation</p>\n</li>\n</ul>\n","_postman_id":"5b3c5a4e-f477-4618-aa9e-511d59f1d139"}],"event":[{"listen":"prerequest","script":{"id":"5053cc55-f155-4f58-b964-15180da420e6","type":"text/javascript","packages":{},"requests":{},"exec":[""]}},{"listen":"test","script":{"id":"0c919639-1ac8-4be7-937c-db675b3064f5","type":"text/javascript","packages":{},"requests":{},"exec":[""]}}],"variable":[{"key":"base_url","value":"https://docs.apis.fvbank.us/v2"},{"key":"transaction_id","value":"sample-transaction-id"},{"key":"client_id","value":"your_client_id"},{"key":"client_secret","value":"your_client_secret"},{"key":"jwt_token","value":""},{"key":"session_token","value":""}]}