Complete reference for Wealthfolio addon APIs. All functions require appropriate
permissions in manifest.json.
The AddonContext is provided to your addon's enable function:
export interface AddonContext {
api: HostAPI;
sidebar: SidebarAPI;
router: RouterAPI;
onDisable: (callback: () => void) => void;
}Basic usage:
export default function enable(ctx: AddonContext) {
// Access APIs
const accounts = await ctx.api.accounts.getAll();
#### `onDropHover(callback: EventCallback): Promise<UnlistenFn>`
Fires when files are hovered over for import.
```typescript
const unlistenHover = await ctx.api.events.import.onDropHover((event) => {
console.log('File hover detected');
showDropZone();
});Fires when files are dropped for import.
const unlistenImport = await ctx.api.events.import.onDrop((event) => {
console.log("File dropped:", event.payload);
// Trigger import workflow
handleFileImport(event.payload.files);
});Fires when file drop is cancelled.
const unlistenCancel = await ctx.api.events.import.onDropCancelled(() => {
console.log("File drop cancelled");
hideDropZone();
});Navigate programmatically within the Wealthfolio application.
Navigate to a specific route in the application.
// Navigate to a specific account
await ctx.api.navigation.navigate("/accounts/account-123");
// Navigate to portfolio overview
await ctx.api.navigation.navigate("/portfolio");
// Navigate to activities page
await ctx.api.navigation.navigate("/activities");
// Navigate to settings
await ctx.api.navigation.navigate("/settings");Info Navigation Routes: The navigation API uses the same route structure as the main application. Common routes include
/accounts,/portfolio,/activities,/goals, and/settings.
Access and manipulate the shared React Query client for efficient data management.
Gets the shared QueryClient instance from the main application.
const queryClient = ctx.api.query.getClient();
// Use standard React Query methods
const accounts = await queryClient.fetchQuery({
queryKey: ["accounts"],
queryFn: () => ctx.api.accounts.getAll(),
});Invalidates queries to trigger refetch.
// Invalidate specific query
ctx.api.query.invalidateQueries(["accounts"]);
// Invalidate multiple related queries
ctx.api.query.invalidateQueries(["portfolio", "holdings"]);
// Invalidate all account-related queries
ctx.api.query.invalidateQueries(["accounts"]);Triggers immediate refetch of queries.
// Refetch portfolio data
ctx.api.query.refetchQueries(["portfolio"]);
// Refetch multiple queries
ctx.api.query.refetchQueries(["accounts", "holdings"]);Combine Query API with event listeners for reactive data updates:
export default function enable(ctx: AddonContext) {
// Invalidate relevant queries when portfolio updates
const unlistenPortfolio = await ctx.api.events.portfolio.onUpdateComplete(
() => {
ctx.api.query.invalidateQueries(["portfolio", "holdings", "performance"]);
},
);
// Invalidate market data queries when sync completes
const unlistenMarket = await ctx.api.events.market.onSyncComplete(() => {
ctx.api.query.invalidateQueries(["quotes", "assets"]);
});
ctx.onDisable(() => {
unlistenPortfolio();
unlistenMarket();
});
}Add navigation items to the main application sidebar.
const sidebarItem = ctx.sidebar.addItem({
id: "my-addon",
label: "My Addon",
route: "/addon/my-addon",
icon: MyAddonIcon, // Optional React component
order: 100, // Lower numbers appear first
});
// Remove when addon is disabled
ctx.onDisable(() => {
sidebarItem.remove();
});Register routes for your addon's pages.
ctx.router.add({
path: "/addon/my-addon",
component: React.lazy(() => Promise.resolve({ default: MyAddonComponent })),
});
// Multiple routes
ctx.router.add({
path: "/addon/my-addon/settings",
component: React.lazy(() => Promise.resolve({ default: MyAddonSettings })),
});interface APIError {
code: string;
message: string;
details?: any;
}Common error codes:
PERMISSION_DENIED- Insufficient permissionsNOT_FOUND- Resource not foundVALIDATION_ERROR- Invalid data providedNETWORK_ERROR- Connection issuesRATE_LIMITED- Too many requests
try {
const accounts = await ctx.api.accounts.getAll();Updates an existing activity with conflict detection.
const updated = await ctx.api.activities.update({
...existingActivity,
quantity: 150,
unitPrice: 145.75,
});Efficiently creates multiple activities in a single transaction.
const activities = await ctx.api.activities.saveMany([
{ accountId: "account-123", activityType: "BUY" /* ... */ },
{ accountId: "account-123", activityType: "DIVIDEND" /* ... */ },
]);Deletes an activity and updates portfolio calculations.
await ctx.api.activities.delete("activity-456");Imports validated activities with duplicate detection.
const imported = await ctx.api.activities.import(checkedActivities);Validates activities before import with error reporting.
const validated = await ctx.api.activities.checkImport(
"account-123",
activities,
);Get import mapping configuration for an account.
const mapping = await ctx.api.activities.getImportMapping("account-123");Save import mapping configuration.
const savedMapping = await ctx.api.activities.saveImportMapping(mapping);try {
const accounts = await ctx.api.accounts.getAll();
} catch (error) {
if (error.code === "PERMISSION_DENIED") {
ctx.api.logger.error("Missing account permissions");
// Show user-friendly message
} else if (error.code === "NETWORK_ERROR") {
ctx.api.logger.warn("Network issue, retrying...");
// Implement retry logic
} else {
ctx.api.logger.error("Unexpected error:", error);
// General error handling
}
}// Efficient batch processing
const activities = await Promise.all([
ctx.api.activities.getAll("account-1"),
ctx.api.activities.getAll("account-2"),
ctx.api.activities.getAll("account-3"),
]);
// Batch create
const newActivities = await ctx.api.activities.saveMany([
{
/* activity 1 */
},
{
/* activity 2 */
},
{
/* activity 3 */
},
]);export default function enable(ctx: AddonContext) {
// Listen for multiple events
const unsubscribers = [
await ctx.api.events.portfolio.onUpdateComplete(() => refreshData()),
await ctx.api.events.market.onSyncComplete(() => updatePrices()),
await ctx.api.events.import.onDrop((event) => handleImport(event)),
];
// Clean up all listeners
ctx.onDisable(() => {
unsubscribers.forEach((unsub) => unsub());
});
}// Simple in-memory cache
const cache = new Map();
async function getCachedAccounts() {
if (cache.has("accounts")) {
return cache.get("accounts");
}
const accounts = await ctx.api.accounts.getAll();
cache.set("accounts", accounts);
// Invalidate cache on updates
const unlisten = await ctx.api.events.portfolio.onUpdateComplete(() => {
cache.delete("accounts");
});
return accounts;
}Full TypeScript definitions are provided for all APIs:
import type {
AddonContext,
Account,
Activity,
Holding,
PerformanceHistory,
PerformanceSummary,
// ... and many more
} from "@wealthfolio/addon-sdk";
// Type-safe API usage
const accounts: Account[] = await ctx.api.accounts.getAll();
const holdings: Holding[] = await ctx.api.portfolio.getHoldings(accounts[0].id);- Use batch operations when possible
- Implement caching for expensive operations
- Listen to relevant events only
- Clean up resources in disable function
- Use React.memo for expensive components
- Debounce user inputs for search/filter
Ready to build? Check out our examples to see these APIs in action! const history = await ctx.api.quotes.getHistory('AAPL');
---
## Performance API
Calculate portfolio and account performance metrics with historical analysis.
### Methods
#### `calculateHistory(itemType: 'account' | 'symbol', itemId: string, startDate: string, endDate: string): Promise<PerformanceMetrics>`
Calculates detailed performance history for charts and analysis.
```typescript
const history = await ctx.api.performance.calculateHistory(
'account',
'account-123',
'2024-01-01',
'2024-12-31'
);
calculateSummary(args: { itemType: 'account' | 'symbol'; itemId: string; startDate?: string | null; endDate?: string | null; }): Promise<PerformanceMetrics>
Calculates comprehensive performance summary with key metrics.
const summary = await ctx.api.performance.calculateSummary({
itemType: "account",
itemId: "account-123",
startDate: "2024-01-01",
endDate: "2024-12-31",
});Calculates simple performance metrics for multiple accounts efficiently.
const performance = await ctx.api.performance.calculateAccountsSimple([
"account-123",
"account-456",
]);Manage currency exchange rates for multi-currency portfolios.
Gets all exchange rates.
const rates = await ctx.api.exchangeRates.getAll();Updates an existing exchange rate.
const updatedRate = await ctx.api.exchangeRates.update({
id: "rate-123",
fromCurrency: "USD",
toCurrency: "EUR",
rate: 0.85,
// ... other rate data
});Adds a new exchange rate.
const newRate = await ctx.api.exchangeRates.add({
fromCurrency: "USD",
toCurrency: "GBP",
rate: 0.75,
// ... other rate data
});Manage investment contribution limits and calculations.
Gets all contribution limits.
const limits = await ctx.api.contributionLimits.getAll();Creates a new contribution limit.
const limit = await ctx.api.contributionLimits.create({
name: "RRSP 2024",
limitType: "RRSP",
maxAmount: 30000,
year: 2024,
// ... other limit data
});Updates an existing contribution limit.
const updatedLimit = await ctx.api.contributionLimits.update("limit-123", {
name: "Updated RRSP 2024",
maxAmount: 31000,
// ... other updated data
});Calculates deposits for a specific contribution limit.
const deposits =
await ctx.api.contributionLimits.calculateDeposits("limit-123");Manage financial goals and allocations.
Gets all goals.
const goals = await ctx.api.goals.getAll();Creates a new goal.
const goal = await ctx.api.goals.create({
name: "Retirement Fund",
targetAmount: 500000,
targetDate: "2040-01-01",
// ... other goal data
});Updates an existing goal.
const updatedGoal = await ctx.api.goals.update({
...existingGoal,
targetAmount: 600000,
});Updates goal allocations.
await ctx.api.goals.updateAllocations([
{ goalId: "goal-123", accountId: "account-456", percentage: 50 },
// ... other allocations
]);Gets goal allocations.
const allocations = await ctx.api.goals.getAllocations();Manage application settings and configuration.
Gets application settings.
const settings = await ctx.api.settings.get();Updates application settings.
const updatedSettings = await ctx.api.settings.update({
...currentSettings,
baseCurrency: "EUR",
// ... other settings
});Creates a database backup.
const backup = await ctx.api.settings.backupDatabase();Handle file operations and dialogs.
Opens a CSV file selection dialog.
const files = await ctx.api.files.openCsvDialog();
if (files) {
// Process selected files
}Opens a file save dialog.
const result = await ctx.api.files.openSaveDialog(fileContent, "export.csv");Securely store and retrieve sensitive data like API keys and tokens. All data is scoped to your addon for security.
Stores a secret value encrypted and scoped to your addon.
// Store API key securely
await ctx.api.secrets.set("api-key", "your-secret-api-key");
// Store user credentials
await ctx.api.secrets.set("auth-token", userAuthToken);Retrieves a secret value (returns null if not found).
const apiKey = await ctx.api.secrets.get("api-key");
if (apiKey) {
// Use the API key
const data = await fetch(`https://api.example.com/data?key=${apiKey}`);
}Permanently deletes a secret.
await ctx.api.secrets.delete("old-api-key");Info Security Note: Secrets are encrypted at rest and scoped to your addon. Other addons cannot access your secrets, and you cannot access theirs.
Provides logging functionality with automatic addon prefix.
Logs an error message.
ctx.api.logger.error("Failed to fetch data from API");Logs an informational message.
ctx.api.logger.info("Data sync completed successfully");Logs a warning message.
ctx.api.logger.warn("API rate limit approaching");Logs a debug message.
ctx.api.logger.debug("Processing 100 activities");Logs a trace message for detailed debugging.
ctx.api.logger.trace("Entering function processActivity");Listen to real-time events for responsive addon behavior.
Fires when portfolio update starts.
const unlistenStart = await ctx.api.events.portfolio.onUpdateStart((event) => {
console.log("Portfolio update started");
showLoadingIndicator();
});Fires when portfolio calculations are updated.
const unlistenPortfolio = await ctx.api.events.portfolio.onUpdateComplete(
(event) => {
console.log("Portfolio updated:", event.payload);
// Refresh your addon's data
refreshPortfolioData();
},
);
// Clean up on disable
ctx.onDisable(() => {
unlistenPortfolio();
});Fires when portfolio update encounters an error.
const unlistenError = await ctx.api.events.portfolio.onUpdateError((event) => {
console.error("Portfolio update failed:", event.payload);
showErrorMessage();
});Fires when market data sync starts.
const unlistenSyncStart = await ctx.api.events.market.onSyncStart(() => {
console.log("Market sync started");
showSyncIndicator();
});Fires when market data sync is completed.
const unlistenMarket = await ctx.api.events.market.onSyncComplete(() => {
console.log("Market data updated!");
// Update price displays
updatePriceDisplays();
});