Creates a new MB client instance.
Configuration options
MB Bank login username (usually your registered phone number)
MB Bank login password
Optional
preferredOCRMethod?: "default" | "tesseract" | "custom"OCR method for captcha recognition
Optional
customOCRFunction?: ((image) => Promise<string>)Custom OCR function (required if preferredOCRMethod is "custom")
Optional
saveWhether to save the WASM file to disk
If username or password is not provided
// Basic usage with default OCR
const mbClient = new MB({
username: '0123456789',
password: 'your_password'
});
// Using Tesseract OCR
const mbWithTesseract = new MB({
username: '0123456789',
password: 'your_password',
preferredOCRMethod: 'tesseract'
});
// Using custom OCR function
const mbWithCustomOCR = new MB({
username: '0123456789',
password: 'your_password',
preferredOCRMethod: 'custom',
customOCRFunction: async (image) => {
// Your custom captcha recognition logic
return recognizedText;
}
});
Readonly
usernameMB Bank account username (usually phone number).
Readonly
passwordMB Bank account password.
Session identifier returned by MB Bank's API after successful authentication. Used to validate subsequent requests.
Device identifier used for authentication with MB Bank API. This is automatically generated for each session.
HTTP client for making requests to MB Bank's API.
Private
wasmWASM binary data downloaded from MB Bank. Used for request encryption.
Private
Optional
customOCRFunctionCustom OCR function for captcha recognition. Allows implementing your own captcha recognition logic.
The captcha image buffer to be recognized
Recognized text from the captcha
const mb = new MB({
username: '0123456789',
password: 'your_password',
preferredOCRMethod: 'custom',
customOCRFunction: async (imageBuffer) => {
// Your custom OCR logic here
// For example, using a third-party OCR service:
const result = await someOCRService.recognize(imageBuffer);
return result.text;
}
});
Private
preferredOCRMethodThe OCR method to use for captcha recognition.
"default"
Private
saveWhether to save the WASM file to disk. Useful for debugging or caching purposes.
false
Private
recognizeAuthenticates with MB Bank API by solving captcha and sending login credentials. Sets the session ID upon successful login.
Login response from the API
If login fails with specific error code and message
const mb = new MB({
username: '0123456789',
password: 'your_password'
});
try {
const loginResponse = await mb.login();
console.log('Login successful!');
console.log('Session ID:', mb.sessionId);
} catch (error) {
console.error('Login failed:', error.message);
}
Private
getPrivate
mbPrivate
Makes an authenticated request to MB Bank API. Handles session expiration by automatically re-logging in.
Request parameters
API endpoint path
Optional
json?: objectRequest body data
Optional
headers?: objectAdditional request headers
API response
If the request fails with error code and message
Retrieves account balance information for all accounts.
Account balance data or undefined if request fails
const mb = new MB({
username: '0123456789',
password: 'your_password'
});
async function getAccountInfo() {
await mb.login();
const balanceInfo = await mb.getBalance();
if (balanceInfo) {
console.log(`Total balance: ${balanceInfo.totalBalance} ${balanceInfo.currencyEquivalent}`);
// Display each account's details
balanceInfo.balances.forEach(account => {
console.log(`Account: ${account.name} (${account.number})`);
console.log(`Balance: ${account.balance} ${account.currency}`);
console.log('---');
});
}
}
getAccountInfo().catch(console.error);
Retrieves transaction history for a specific account within a date range.
Request parameters
MB Bank account number to query
Start date in format "DD/MM/YYYY" or "D/M/YYYY"
End date in format "DD/MM/YYYY" or "D/M/YYYY"
Array of transaction details or undefined if request fails
If date range exceeds 90 days or date format is invalid
const mb = new MB({
username: '0123456789',
password: 'your_password'
});
async function getLastMonthTransactions() {
await mb.login();
// Get account first
const balanceInfo = await mb.getBalance();
if (!balanceInfo?.balances?.length) {
console.log('No accounts found');
return;
}
const accountNumber = balanceInfo.balances[0].number;
// Get transactions for the last 30 days
const today = new Date();
const lastMonth = new Date();
lastMonth.setDate(today.getDate() - 30);
const fromDate = `${lastMonth.getDate()}/${lastMonth.getMonth() + 1}/${lastMonth.getFullYear()}`;
const toDate = `${today.getDate()}/${today.getMonth() + 1}/${today.getFullYear()}`;
const transactions = await mb.getTransactionsHistory({
accountNumber,
fromDate,
toDate
});
if (transactions) {
console.log(`Found ${transactions.length} transactions`);
transactions.forEach(tx => {
const amount = tx.creditAmount || tx.debitAmount;
const type = tx.creditAmount ? 'CREDIT' : 'DEBIT';
console.log(`${tx.transactionDate} | ${type} | ${amount} ${tx.transactionCurrency}`);
console.log(`Description: ${tx.transactionDesc}`);
if (tx.toAccountName) {
console.log(`To: ${tx.toAccountName} (${tx.toAccountNumber}) at ${tx.toBank}`);
}
console.log('---');
});
}
}
getLastMonthTransactions().catch(console.error);
Generated using TypeDoc
Main client class for MB Bank API integration. Provides functionality for authentication, account balance queries, and transaction history.
Example