Files
bunq/ts/bunq.classes.account.ts

235 lines
7.1 KiB
TypeScript
Raw Normal View History

2025-07-18 10:43:39 +00:00
import * as plugins from './bunq.plugins.js';
import { BunqApiContext } from './bunq.classes.apicontext.js';
import { BunqMonetaryAccount } from './bunq.classes.monetaryaccount.js';
import { BunqUser } from './bunq.classes.user.js';
import { BunqApiError } from './bunq.classes.httpclient.js';
2025-07-18 11:33:13 +00:00
import type { IBunqSessionServerResponse } from './bunq.interfaces.js';
2019-09-26 13:59:33 +02:00
export interface IBunqConstructorOptions {
2019-10-02 23:34:05 +02:00
deviceName: string;
apiKey: string;
environment: 'SANDBOX' | 'PRODUCTION';
2025-07-18 10:31:12 +00:00
permittedIps?: string[];
2025-07-22 21:10:41 +00:00
isOAuthToken?: boolean; // Set to true when using OAuth access token instead of API key
2019-09-26 13:59:33 +02:00
}
/**
* the main bunq account
*/
export class BunqAccount {
// Static cache for OAuth token sessions to prevent multiple authentication attempts
private static oauthSessionCache = new Map<string, BunqApiContext>();
2019-10-02 23:34:05 +02:00
public options: IBunqConstructorOptions;
2025-07-18 10:31:12 +00:00
public apiContext: BunqApiContext;
2019-10-02 23:34:05 +02:00
public userId: number;
2025-07-18 10:31:12 +00:00
public userType: 'UserPerson' | 'UserCompany' | 'UserApiKey';
private bunqUser: BunqUser;
2019-10-02 23:34:05 +02:00
constructor(optionsArg: IBunqConstructorOptions) {
this.options = optionsArg;
2019-09-26 13:59:33 +02:00
}
2025-07-18 10:31:12 +00:00
/**
* Initialize the bunq account
*/
2019-10-02 23:34:05 +02:00
public async init() {
// For OAuth tokens, check if we already have a cached session
if (this.options.isOAuthToken) {
const cacheKey = `${this.options.apiKey}_${this.options.environment}`;
const cachedContext = BunqAccount.oauthSessionCache.get(cacheKey);
if (cachedContext && cachedContext.hasValidSession()) {
// Reuse existing session
this.apiContext = cachedContext;
console.log('Reusing existing OAuth session from cache');
} else {
// Create new context and cache it
this.apiContext = new BunqApiContext({
apiKey: this.options.apiKey,
environment: this.options.environment,
deviceDescription: this.options.deviceName,
permittedIps: this.options.permittedIps,
isOAuthToken: this.options.isOAuthToken
});
try {
await this.apiContext.init();
// Cache the successfully initialized context
BunqAccount.oauthSessionCache.set(cacheKey, this.apiContext);
} catch (error) {
// Handle "Superfluous authentication" or "Authentication token already has a user session" errors
if (error instanceof BunqApiError) {
const errorMessages = error.errors.map(e => e.error_description).join(' ');
if (errorMessages.includes('Superfluous authentication') ||
errorMessages.includes('Authentication token already has a user session')) {
console.log('OAuth token already has installation/device, attempting to create new session...');
// Try to create a new session with existing installation/device
await this.apiContext.initWithExistingInstallation();
// Cache the context with new session
BunqAccount.oauthSessionCache.set(cacheKey, this.apiContext);
} else {
throw error;
}
} else {
throw error;
}
}
}
} else {
// Regular API key flow
this.apiContext = new BunqApiContext({
apiKey: this.options.apiKey,
environment: this.options.environment,
deviceDescription: this.options.deviceName,
permittedIps: this.options.permittedIps,
isOAuthToken: this.options.isOAuthToken
});
await this.apiContext.init();
}
2025-07-18 10:31:12 +00:00
// Create user instance
this.bunqUser = new BunqUser(this.apiContext);
// Get user info
await this.getUserInfo();
}
2019-10-02 23:34:05 +02:00
2025-07-18 10:31:12 +00:00
/**
* Get user information and ID
*/
private async getUserInfo() {
const userInfo = await this.bunqUser.getInfo();
if (userInfo.UserPerson) {
this.userId = userInfo.UserPerson.id;
this.userType = 'UserPerson';
} else if (userInfo.UserCompany) {
this.userId = userInfo.UserCompany.id;
this.userType = 'UserCompany';
} else if (userInfo.UserApiKey) {
this.userId = userInfo.UserApiKey.id;
this.userType = 'UserApiKey';
2019-10-03 14:04:15 +02:00
} else {
2025-07-18 10:31:12 +00:00
throw new Error('Could not determine user type');
2019-10-03 14:04:15 +02:00
}
2025-07-18 10:31:12 +00:00
}
2019-10-02 23:34:05 +02:00
2025-07-18 10:31:12 +00:00
/**
* Get all monetary accounts
*/
public async getAccounts(): Promise<BunqMonetaryAccount[]> {
await this.apiContext.ensureValidSession();
const response = await this.apiContext.getHttpClient().list(
`/v1/user/${this.userId}/monetary-account`
2019-10-02 23:34:05 +02:00
);
2025-07-18 10:31:12 +00:00
const accountsArray: BunqMonetaryAccount[] = [];
if (response.Response) {
for (const apiAccount of response.Response) {
accountsArray.push(BunqMonetaryAccount.fromAPIObject(this, apiAccount));
}
}
2019-09-26 13:59:33 +02:00
2025-07-18 10:31:12 +00:00
return accountsArray;
2019-09-26 13:59:33 +02:00
}
2019-10-02 23:34:05 +02:00
/**
2025-07-18 10:31:12 +00:00
* Get a specific monetary account
2019-10-02 23:34:05 +02:00
*/
2025-07-18 10:31:12 +00:00
public async getAccount(accountId: number): Promise<BunqMonetaryAccount> {
await this.apiContext.ensureValidSession();
const response = await this.apiContext.getHttpClient().get(
`/v1/user/${this.userId}/monetary-account/${accountId}`
);
if (response.Response && response.Response[0]) {
return BunqMonetaryAccount.fromAPIObject(this, response.Response[0]);
2019-10-02 23:34:05 +02:00
}
2025-07-18 10:31:12 +00:00
throw new Error('Account not found');
2019-10-02 23:34:05 +02:00
}
2025-07-18 10:31:12 +00:00
/**
* Create a sandbox user (only works in sandbox environment)
*/
public async createSandboxUser(): Promise<string> {
if (this.options.environment !== 'SANDBOX') {
throw new Error('Creating sandbox users only works in sandbox environment');
2019-10-02 23:34:05 +02:00
}
2025-07-18 10:31:12 +00:00
2025-07-18 11:42:06 +00:00
// Sandbox user creation doesn't require authentication
const response = await plugins.smartrequest.request(
'https://public-api.sandbox.bunq.com/v1/sandbox-user-person',
{
method: 'POST',
headers: {
'Content-Type': 'application/json',
'User-Agent': 'bunq-api-client/1.0.0',
'Cache-Control': 'no-cache'
},
requestBody: '{}'
}
2025-07-18 10:31:12 +00:00
);
2025-07-18 11:42:06 +00:00
if (response.body.Response && response.body.Response[0] && response.body.Response[0].ApiKey) {
return response.body.Response[0].ApiKey.api_key;
2025-07-18 10:31:12 +00:00
}
throw new Error('Failed to create sandbox user');
}
/**
* Get the user instance
*/
public getUser(): BunqUser {
return this.bunqUser;
}
/**
* Get the HTTP client
*/
public getHttpClient() {
return this.apiContext.getHttpClient();
2019-10-02 23:34:05 +02:00
}
2019-10-03 14:04:15 +02:00
2019-12-15 17:21:23 +00:00
/**
2025-07-18 10:31:12 +00:00
* Stop the bunq account and clean up
2019-12-15 17:21:23 +00:00
*/
2019-10-03 14:04:15 +02:00
public async stop() {
2025-07-18 10:31:12 +00:00
if (this.apiContext) {
await this.apiContext.destroy();
this.apiContext = null;
2019-10-03 14:04:15 +02:00
}
}
/**
* Clear the OAuth session cache
*/
public static clearOAuthCache(): void {
BunqAccount.oauthSessionCache.clear();
console.log('OAuth session cache cleared');
}
/**
* Clear a specific OAuth token from the cache
*/
public static clearOAuthCacheForToken(apiKey: string, environment: 'SANDBOX' | 'PRODUCTION'): void {
const cacheKey = `${apiKey}_${environment}`;
BunqAccount.oauthSessionCache.delete(cacheKey);
console.log(`OAuth session cache cleared for token in ${environment} environment`);
}
/**
* Get the current size of the OAuth cache
*/
public static getOAuthCacheSize(): number {
return BunqAccount.oauthSessionCache.size;
}
2019-10-02 23:34:05 +02:00
}