Refactored category spend and balance analytics.
Build and Deploy Web App / build-and-deploy (push) Successful in 1m8s Details
Build and Deploy API / build-and-deploy (push) Successful in 2m48s Details

This commit is contained in:
Andrew Lalis 2026-03-10 21:50:35 -04:00
parent fb7850c181
commit 3394869410
12 changed files with 280 additions and 281 deletions

View File

@ -8,7 +8,7 @@ import std.datetime;
import profile.data;
import profile.service;
import profile.api : PROFILE_PATH;
import analytics.balances;
import analytics.util;
import util.money;
import util.data;
@ -19,11 +19,24 @@ void handleGetCategorySpendTimeSeries(ref ServerHttpRequest request, ref ServerH
}
@GetMapping(PROFILE_PATH ~ "/analytics/balance-time-series")
void handleGetBalanceTimeSeriesV2(ref ServerHttpRequest request, ref ServerHttpResponse response) {
void handleGetBalanceTimeSeries(ref ServerHttpRequest request, ref ServerHttpResponse response) {
import analytics.modules.balances;
auto ds = getProfileDataSource(request);
Currency currency = Currency.ofCode(request.getParamAs!string("currency", Currencies.USD.code));
TimeRange timeRange = TimeRange(Optional!(SysTime).empty(), Optional!(SysTime).empty());
auto data = computeBalanceTimeSeriesV2(ds, currency, timeRange);
auto data = computeBalanceTimeSeries(ds, currency, getTimeRange(request));
writeJsonBody(response, data);
}
@GetMapping(PROFILE_PATH ~ "/analytics/category-spend")
void handleGetCategorySpend(ref ServerHttpRequest request, ref ServerHttpResponse response) {
import analytics.modules.category_spend;
auto ds = getProfileDataSource(request);
Currency currency = Currency.ofCode(request.getParamAs!string("currency", Currencies.USD.code));
long categoryParentId = request.getParamAs!long("parentId", -1);
Optional!ulong categoryParentIdOpt = categoryParentId == -1
? Optional!(ulong).empty()
: Optional!(ulong).of(categoryParentId);
auto data = computeCategorySpend(ds, currency, getTimeRange(request), categoryParentIdOpt);
writeJsonBody(response, data);
}
@ -46,3 +59,16 @@ private void serveJsonFromProperty(ref ServerHttpResponse response, ref ProfileD
response.writeBodyString(jsonStr, ContentTypes.APPLICATION_JSON);
}
}
private TimeRange getTimeRange(in ServerHttpRequest request) {
long fromTimestampMs = request.getParamAs!long("from", -1);
long toTimestampMs = request.getParamAs!long("to", -1);
return TimeRange(
fromTimestampMs == -1
? Optional!(SysTime).empty()
: Optional!(SysTime).of(toSysTime(fromTimestampMs)),
toTimestampMs == -1
? Optional!(SysTime).empty()
: Optional!(SysTime).of(toSysTime(toTimestampMs))
);
}

View File

@ -1,12 +1,23 @@
module analytics.data;
import std.datetime;
import handy_http_primitives : Optional;
import asdf : serdeTransformOut;
import util.money;
import util.data;
import analytics.balances;
import account.model;
/**
* A common time-series data point.
*/
struct TimeSeriesPoint {
/// The millisecond UTC timestamp.
ulong x;
/// The value at this timestamp.
long y;
}
struct JournalEntryStub {
SysTime timestamp;
ulong accountId;
@ -21,6 +32,15 @@ struct BalanceRecordStub {
long value;
}
struct CategorySpendData {
ulong categoryId;
string categoryName;
string categoryColor;
@serdeTransformOut!serializeOptional
Optional!ulong parentCategoryId;
long amount;
}
/**
* Repository that provides various functions for fetching data that's used in
* the calculation of analytics, separate from usual app functionality.
@ -34,4 +54,8 @@ interface AnalyticsRepository {
in Currency currency,
in TimeRange timeRange
);
CategorySpendData[] getCategorySpendData(
in Currency currency,
in TimeRange timeRange
);
}

View File

@ -8,7 +8,7 @@ import util.money;
import util.data;
import util.sqlite;
import account.model : AccountJournalEntryType, AccountType;
import analytics.balances;
import analytics.modules.balances;
import analytics.data;
class SqliteAnalyticsRepository : AnalyticsRepository {
@ -101,4 +101,53 @@ class SqliteAnalyticsRepository : AnalyticsRepository {
}
return app[];
}
CategorySpendData[] getCategorySpendData(
in Currency currency,
in TimeRange timeRange
) {
QueryBuilder qb = QueryBuilder("transaction_category c")
.select("c.id,c.name,c.color,c.parent_id")
.select(`
(
SUM(CASE WHEN je.type LIKE 'DEBIT' THEN je.amount ELSE 0 END)
- SUM(CASE WHEN je.type LIKE 'CREDIT' THEN je.amount ELSE 0 END)
)
`)
.join("LEFT JOIN \"transaction\" t ON t.category_id = c.id")
.join("LEFT JOIN account_journal_entry je ON je.transaction_id = t.id");
qb.where("t.internal_transfer = false");
qb.where("t.currency = ?");
qb.withArgBinding((ref stmt, ref idx) {
stmt.bind(idx++, currency.codeString);
});
if (timeRange.fromTime) {
qb.where("t.timestamp >= ?")
.withArgBinding((ref stmt, ref idx) {
stmt.bind(idx++, timeRange.fromTime.value);
});
}
if (timeRange.toTime) {
qb.where("t.timestamp <= ?")
.withArgBinding((ref stmt, ref idx) {
stmt.bind(idx++, timeRange.fromTime.value);
});
}
string query = qb.build() ~ " GROUP BY c.id ORDER BY c.id";
Statement stmt = db.prepare(query);
qb.applyArgBindings(stmt);
ResultRange result = stmt.execute();
Appender!(CategorySpendData[]) app;
foreach (row; result) {
import std.typecons : Nullable;
app ~= CategorySpendData(
row.peek!ulong(0),
row.peek!string(1),
row.peek!string(2),
toOptional(row.peek!(Nullable!ulong)(3)),
row.peek!long(4)
);
}
return app[];
}
}

View File

@ -1,4 +1,4 @@
module analytics.balances;
module analytics.modules.balances;
import handy_http_primitives : Optional, mapIfPresent;
import std.datetime;
@ -24,13 +24,6 @@ import util.money;
import util.data;
import analytics.data;
struct TimeSeriesPoint {
/// The millisecond UTC timestamp.
ulong x;
/// The value at this timestamp.
long y;
}
struct AccountBalanceData {
ulong accountId;
TimeSeriesPoint[] data;
@ -51,7 +44,7 @@ struct BalanceTimeSeriesAnalytics {
* Returns: An analytics response containing a "totals" time series, as well
* as a time series for each known account in the given time range.
*/
BalanceTimeSeriesAnalytics computeBalanceTimeSeriesV2(
BalanceTimeSeriesAnalytics computeBalanceTimeSeries(
ProfileDataSource ds,
in Currency currency,
in TimeRange timeRange
@ -151,75 +144,3 @@ private Optional!long deriveBalance(
}
return Optional!(long).of(balance);
}
alias CurrencyGroupedTimeSeries = TimeSeriesPoint[][string];
struct CategorySpendData {
ulong categoryId;
string categoryName;
string categoryColor;
CurrencyGroupedTimeSeries dataByCurrency;
}
struct CategorySpendTimeSeriesAnalytics {
CategorySpendData[] categories;
}
void computeCategorySpendTimeSeries(Profile profile, ProfileRepository profileRepo) {
ProfileDataSource ds = profileRepo.getDataSource(profile);
TransactionCategory[] rootCategories = ds.getTransactionCategoryRepository()
.findAllByParentId(Optional!ulong.empty);
CategorySpendTimeSeriesAnalytics data;
PageRequest pr = PageRequest(1, 100, [Sort("txn.timestamp", SortDir.ASC)]);
Page!TransactionsListItem page = ds.getTransactionRepository().findAll(pr);
while (page.items.length > 0) {
foreach (TransactionsListItem txn; page.items) {
if (!isTypicalSpendingTransaction(txn)) continue;
ulong categoryId = txn.category.mapIfPresent!(c => c.id).orElse(0);
TimeSeriesPoint dataPoint = TimeSeriesPoint(
SysTime.fromISOExtString(txn.timestamp).toUnixMillis(),
txn.amount
);
bool foundCategory = false;
foreach (ref cd; data.categories) {
if (cd.categoryId == categoryId) {
cd.dataByCurrency[txn.currency.code.idup] ~= dataPoint;
foundCategory = true;
break;
}
}
if (!foundCategory) {
CategorySpendData cd;
cd.categoryId = categoryId;
cd.categoryName = txn.category.mapIfPresent!(c => c.name).orElse("None");
cd.categoryColor = txn.category.mapIfPresent!(c => c.color).orElse("FFFFFF");
cd.dataByCurrency[txn.currency.code.idup] ~= dataPoint;
data.categories ~= cd;
}
}
page = ds.getTransactionRepository().findAll(page.pageRequest.next());
}
ds.doTransaction(() {
ds.getPropertiesRepository().deleteProperty("analytics.categorySpendTimeSeries");
ds.getPropertiesRepository().setProperty(
"analytics.categorySpendTimeSeries",
serializeToJsonPretty(data)
);
});
infoF!"Computed category spend analytics for user %s, profile %s."(
profile.username,
profile.name
);
}
private bool isTypicalSpendingTransaction(in TransactionsListItem txn) {
return !txn.creditedAccount.isNull &&
txn.debitedAccount.isNull &&
!txn.internalTransfer;
}

View File

@ -0,0 +1,49 @@
module analytics.modules.category_spend;
import handy_http_primitives : Optional;
import std.algorithm;
import std.array;
import analytics.data;
import profile.data;
import util.money : Currency;
import util.data : TimeRange;
CategorySpendData[] computeCategorySpend(
ProfileDataSource ds,
in Currency currency,
in TimeRange timeRange,
in Optional!ulong parentId
) {
AnalyticsRepository repo = ds.getAnalyticsRepository();
CategorySpendData[] allCategories = repo.getCategorySpendData(currency, timeRange);
return allCategories
.filter!(d => (
parentId
? d.parentCategoryId && d.parentCategoryId.value == parentId.value
: d.parentCategoryId.isNull
))
.map!((category) {
// For each category that we're reporting on, recursively sum up
// the amount of the category and all its children.
long totalRecursiveSum = sumAllChildCategoriesRecursive(category, allCategories);
return CategorySpendData(
category.categoryId,
category.categoryName,
category.categoryColor,
category.parentCategoryId,
totalRecursiveSum
);
})
.array();
}
private long sumAllChildCategoriesRecursive(in CategorySpendData parentCategory, in CategorySpendData[] data) {
long sum = parentCategory.amount;
foreach (category; data) {
if (category.parentCategoryId && category.parentCategoryId.value == parentCategory.categoryId) {
sum += sumAllChildCategoriesRecursive(category, data);
}
}
return sum;
}

View File

@ -1,28 +0,0 @@
module analytics;
public import analytics.balances;
import profile.data;
import profile.model;
/**
* Helper function to run a function on each available user profile.
* Params:
* fn = The function to run.
*/
void doForAllUserProfiles(
void function(Profile, ProfileRepository) fn
) {
import auth.data;
import auth.data_impl_fs;
import profile.data;
import profile.data_impl_sqlite;
UserRepository userRepo = new FileSystemUserRepository();
foreach (user; userRepo.findAll()) {
ProfileRepository profileRepo = new FileSystemProfileRepository(user.username);
foreach (prof; profileRepo.findAll()) {
fn(prof, profileRepo);
}
}
}

View File

@ -34,8 +34,6 @@ SysTime[] generateTimeSeriesTimestamps(Duration intervalSize, in TimeRange timeR
} else {
startOfRange = timeRange.fromTime.value;
}
import std.stdio;
writefln!"start = %s, end = %s"(startOfRange, endOfRange);
Appender!(SysTime[]) app;
app ~= startOfRange;
@ -51,3 +49,7 @@ SysTime[] generateTimeSeriesTimestamps(Duration intervalSize, in TimeRange timeR
ulong toUnixMillis(in SysTime ts) {
return (ts - SysTime(unixTimeToStdTime(0))).total!"msecs";
}
SysTime toSysTime(in ulong unixMillis) {
return SysTime(unixTimeToStdTime(0)) + msecs(unixMillis);
}

View File

@ -4,8 +4,6 @@ import scheduled;
import std.datetime;
import slf4d;
import analytics;
void startScheduledJobs() {
JobSchedule analyticsSchedule = new FixedIntervalSchedule(
hours(1),
@ -13,10 +11,9 @@ void startScheduledJobs() {
);
JobScheduler jobScheduler = new TaskPoolScheduler();
jobScheduler.addJob(() {
info("Computing account balance time series analytics for all users...");
doForAllUserProfiles(&computeCategorySpendTimeSeries);
info("Done computing analytics!");
}, analyticsSchedule);
jobScheduler.start();
// jobScheduler.addJob(() {
// info("Computing account balance time series analytics for all users...");
// info("Done computing analytics!");
// }, analyticsSchedule);
// jobScheduler.start();
}

View File

@ -7,28 +7,22 @@ export interface TimeSeriesPoint {
y: number
}
export type CurrencyGroupedTimeSeries = Record<string, TimeSeriesPoint[]>
export interface AccountBalanceData {
accountId: number
currencyCode: string
data: TimeSeriesPoint[]
}
export interface BalanceTimeSeriesAnalytics {
accounts: AccountBalanceData[]
totals: CurrencyGroupedTimeSeries
totals: TimeSeriesPoint[]
}
export interface CategorySpendData {
categoryId: number
categoryName: string
categoryColor: string
dataByCurrency: CurrencyGroupedTimeSeries
}
export interface CategorySpendTimeSeriesAnalytics {
categories: CategorySpendData[]
categoryId: number | null
categoryName: string | null
categoryColor: string | null
parentCategoryId: number | null
amount: number
}
export class AnalyticsApiClient extends ApiClient {
@ -41,11 +35,39 @@ export class AnalyticsApiClient extends ApiClient {
this.path = `/profiles/${this.profileName}/analytics`
}
getBalanceTimeSeries(): Promise<BalanceTimeSeriesAnalytics> {
return super.getJson(this.path + '/balance-time-series')
getBalanceTimeSeries(
currencyCode: string,
fromTimestampMs: number | null,
toTimestampMs: number | null,
): Promise<BalanceTimeSeriesAnalytics> {
const params = new URLSearchParams()
params.append('currency', currencyCode)
if (fromTimestampMs !== null) {
params.append('from', fromTimestampMs + '')
}
if (toTimestampMs !== null) {
params.append('to', toTimestampMs + '')
}
return super.getJson(this.path + '/balance-time-series?' + params.toString())
}
getCategorySpendTimeSeries(): Promise<CategorySpendTimeSeriesAnalytics> {
return super.getJson(this.path + '/category-spend-time-series')
getCategorySpend(
currencyCode: string,
fromTimestampMs: number | null,
toTimestampMs: number | null,
parentCategoryId: number | null,
): Promise<CategorySpendData[]> {
const params = new URLSearchParams()
params.append('currency', currencyCode)
if (fromTimestampMs !== null) {
params.append('from', fromTimestampMs + '')
}
if (toTimestampMs !== null) {
params.append('to', toTimestampMs + '')
}
if (parentCategoryId !== null) {
params.append('parentId', parentCategoryId + '')
}
return super.getJson(this.path + '/category-spend?' + params.toString())
}
}

View File

@ -1,29 +1,27 @@
<script setup lang="ts">
import { AccountApiClient, type Account } from '@/api/account'
import HomeModule from '@/components/HomeModule.vue'
import { computed, onMounted, ref, type ComputedRef } from 'vue'
import { computed, onMounted, ref } from 'vue'
import 'chartjs-adapter-date-fns'
import type { Currency } from '@/api/data'
import {
AnalyticsApiClient,
type CategorySpendTimeSeriesAnalytics,
type BalanceTimeSeriesAnalytics,
} from '@/api/analytics'
import BalanceTimeSeriesChart from './analytics/BalanceTimeSeriesChart.vue'
import type { TimeFrame, BalanceTimeSeries } from './analytics/util'
import type { TimeFrame } from './analytics/util'
import FormGroup from '@/components/common/form/FormGroup.vue'
import FormControl from '@/components/common/form/FormControl.vue'
import { isAfter, isBefore, startOfMonth, startOfYear, sub } from 'date-fns'
import { startOfMonth, startOfYear, sub } from 'date-fns'
import { useRoute } from 'vue-router'
import CategorySpendPieChart from './analytics/CategorySpendPieChart.vue'
import BalanceTimeSeriesChart from './analytics/BalanceTimeSeriesChart.vue'
const route = useRoute()
const analyticsApi = computed(() => {
return new AnalyticsApiClient(route)
})
const accounts = ref<Account[]>([])
const balanceTimeSeriesData = ref<BalanceTimeSeriesAnalytics>()
const categorySpendTimeSeriesData = ref<CategorySpendTimeSeriesAnalytics>()
const currency = ref<Currency>()
const timeFrame = ref<TimeFrame>({})
@ -34,7 +32,6 @@ interface AnalyticsChartType {
const AnalyticsChartTypes: AnalyticsChartType[] = [
{ id: 'account-balances', name: 'Account Balances' },
{ id: 'total-balances', name: 'Total Balance' },
{ id: 'category-spend', name: 'Category Spend' },
]
@ -50,54 +47,9 @@ const availableCurrencies = computed(() => {
return currencies
})
const accountBalancesData: ComputedRef<BalanceTimeSeries[]> = computed(() => {
if (!balanceTimeSeriesData.value) return []
const eligibleAccounts = accounts.value.filter((a) => a.currency.code === currency.value?.code)
const series: BalanceTimeSeries[] = []
for (const accountData of balanceTimeSeriesData.value.accounts) {
const account = eligibleAccounts.find((a) => a.id === accountData.accountId)
if (account !== undefined) {
const filteredTimeSeries = accountData.data.filter((s) => {
if (timeFrame.value.start && !isAfter(s.x, timeFrame.value.start)) {
return false
}
if (timeFrame.value.end && !isBefore(s.x, timeFrame.value.end)) {
return false
}
return true
})
series.push({
label: account.name,
data: filteredTimeSeries,
})
}
}
return series
})
const totalBalancesData: ComputedRef<BalanceTimeSeries[]> = computed(() => {
if (!balanceTimeSeriesData.value || !currency.value) return []
const currencyCode = currency.value.code
if (!(currencyCode in balanceTimeSeriesData.value.totals)) return []
const totalsData = balanceTimeSeriesData.value.totals[currencyCode]
const filteredTimeSeries = totalsData.filter((s) => {
if (timeFrame.value.start && !isAfter(s.x, timeFrame.value.start)) {
return false
}
if (timeFrame.value.end && !isBefore(s.x, timeFrame.value.end)) {
return false
}
return true
})
return [{ label: currencyCode, data: filteredTimeSeries }]
})
onMounted(async () => {
const api = new AccountApiClient(route)
const analyticsApi = new AnalyticsApiClient(route)
accounts.value = await api.getAccounts()
balanceTimeSeriesData.value = await analyticsApi.getBalanceTimeSeries()
categorySpendTimeSeriesData.value = await analyticsApi.getCategorySpendTimeSeries()
if (accounts.value.length > 0) {
currency.value = accounts.value[0].currency
}
@ -108,61 +60,30 @@ onMounted(async () => {
<FormGroup>
<FormControl label="Chart">
<select v-model="selectedChart">
<option
v-for="ct in AnalyticsChartTypes"
:key="ct.id"
:value="ct"
>
<option v-for="ct in AnalyticsChartTypes" :key="ct.id" :value="ct">
{{ ct.name }}
</option>
</select>
</FormControl>
</FormGroup>
<BalanceTimeSeriesChart
v-if="currency && balanceTimeSeriesData && selectedChart.id === 'account-balances'"
title="Account Balances"
:currency="currency"
:time-frame="timeFrame"
:data="accountBalancesData"
/>
<BalanceTimeSeriesChart v-if="currency && selectedChart.id === 'account-balances'" title="Account Balances"
:currency="currency" :time-frame="timeFrame" :api="analyticsApi" />
<BalanceTimeSeriesChart
v-if="currency && balanceTimeSeriesData && selectedChart.id === 'total-balances'"
title="Total Balances"
:currency="currency"
:time-frame="timeFrame"
:data="totalBalancesData"
/>
<CategorySpendPieChart
v-if="currency && categorySpendTimeSeriesData && selectedChart.id === 'category-spend'"
:currency="currency"
:time-frame="timeFrame"
:data="categorySpendTimeSeriesData"
/>
<CategorySpendPieChart v-if="currency && selectedChart.id === 'category-spend'" :currency="currency"
:api="analyticsApi" :time-frame="timeFrame" />
<FormGroup>
<FormControl label="Currency">
<select
v-model="currency"
:disabled="availableCurrencies.length < 2"
>
<option
v-for="currency in availableCurrencies"
:key="currency.code"
:value="currency"
>
<select v-model="currency" :disabled="availableCurrencies.length < 2">
<option v-for="currency in availableCurrencies" :key="currency.code" :value="currency">
{{ currency.code }}
</option>
</select>
</FormControl>
<FormControl label="Time Frame">
<select v-model="timeFrame">
<option
:value="{}"
selected
>
<option :value="{}" selected>
All Time
</option>
<option :value="{ start: sub(new Date(), { days: 30 }) }">Last 30 days</option>

View File

@ -6,19 +6,20 @@ import {
type ChartOptions,
registerables,
} from 'chart.js'
import { computed, onMounted, ref } from 'vue'
import type { BalanceTimeSeries, TimeFrame } from './util'
import { onMounted, ref, watch } from 'vue'
import type { TimeFrame } from './util'
import { integerMoneyToFloat, type Currency } from '@/api/data'
import { Line } from 'vue-chartjs'
import type { AnalyticsApiClient } from '@/api/analytics'
const props = defineProps<{
title: string
timeFrame: TimeFrame
currency: Currency
data: BalanceTimeSeries[]
api: AnalyticsApiClient
}>()
const chartData = computed(() => buildChartData())
const chartData = ref<ChartData<'line'>>()
const chartOptions = ref<ChartOptions<'line'> | undefined>()
Chart.register(...registerables)
@ -55,11 +56,25 @@ onMounted(() => {
}
})
function buildChartData(): ChartData<'line'> {
watch(
[() => props.currency, () => props.timeFrame],
() => {
buildChartData()
},
{ immediate: true, deep: true }
)
async function buildChartData() {
const balanceAnalytics = await props.api.getBalanceTimeSeries(
props.currency.code,
props.timeFrame.start ? props.timeFrame.start.getTime() : null,
props.timeFrame.end ? props.timeFrame.end.getTime() : null
)
const datasets: ChartDataset<'line'>[] = []
let colorIdx = 0
for (const series of props.data) {
for (const series of balanceAnalytics.accounts) {
const color = COLORS[colorIdx++]
if (colorIdx >= COLORS.length) colorIdx = 0
@ -70,7 +85,7 @@ function buildChartData(): ChartData<'line'> {
}
})
datasets.push({
label: series.label,
label: 'Account ' + series.accountId,
data: points,
cubicInterpolationMode: 'monotone',
borderColor: `rgb(${color[0]}, ${color[1]}, ${color[2]})`,
@ -81,13 +96,11 @@ function buildChartData(): ChartData<'line'> {
pointHitRadius: 5,
})
}
return { datasets: datasets }
chartData.value = { datasets: datasets }
}
</script>
<template>
<Line
v-if="chartData && chartOptions"
:data="chartData"
:options="chartOptions"
/>
<div>
<Line v-if="chartData && chartOptions" :data="chartData" :options="chartOptions" />
</div>
</template>

View File

@ -1,19 +1,18 @@
<script setup lang="ts">
import { integerMoneyToFloat, type Currency } from '@/api/data'
import type { TimeFrame } from './util'
import type { CategorySpendTimeSeriesAnalytics } from '@/api/analytics'
import { computed, onMounted, ref } from 'vue'
import { onMounted, ref, watch } from 'vue'
import { type ChartOptions, type ChartData, Chart, registerables } from 'chart.js'
import { Pie } from 'vue-chartjs'
import { isAfter, isBefore } from 'date-fns'
import type { AnalyticsApiClient } from '@/api/analytics'
const props = defineProps<{
timeFrame: TimeFrame
currency: Currency
data: CategorySpendTimeSeriesAnalytics
api: AnalyticsApiClient
}>()
const chartData = computed(() => buildChartData())
const chartData = ref<ChartData<'pie'>>()
const chartOptions = ref<ChartOptions<'pie'>>()
Chart.register(...registerables)
@ -29,33 +28,36 @@ onMounted(() => {
}
})
function buildChartData(): ChartData<'pie'> {
watch(
[() => props.currency, () => props.timeFrame],
() => {
buildChartData()
},
{ immediate: true, deep: true }
)
async function buildChartData() {
const categorySpendData = await props.api.getCategorySpend(
props.currency.code,
props.timeFrame.start ? props.timeFrame.start.getTime() : null,
props.timeFrame.end ? props.timeFrame.end.getTime() : null,
null
)
if (categorySpendData.length === 0) {
chartData.value = undefined
return
}
const labels: string[] = []
const data: number[] = []
const colors: string[] = []
for (const categoryData of props.data.categories) {
labels.push(categoryData.categoryName)
colors.push('#' + categoryData.categoryColor)
if (!(props.currency.code in categoryData.dataByCurrency)) {
data.push(0)
continue
for (const categoryData of categorySpendData) {
labels.push(categoryData.categoryName ?? 'Uncategorized')
colors.push(categoryData.categoryColor ? '#' + categoryData.categoryColor : 'white')
data.push(integerMoneyToFloat(categoryData.amount, props.currency))
}
const sumOverTimeFrame = categoryData.dataByCurrency[props.currency.code]
.filter((d) => {
if (props.timeFrame.start && !isAfter(d.x, props.timeFrame.start)) {
return false
}
if (props.timeFrame.end && !isBefore(d.x, props.timeFrame.end)) {
return false
}
return true
})
.reduce((acc, v) => acc + v.y, 0)
data.push(integerMoneyToFloat(sumOverTimeFrame, props.currency))
}
return {
chartData.value = {
labels: labels,
datasets: [
{
@ -67,10 +69,11 @@ function buildChartData(): ChartData<'pie'> {
}
</script>
<template>
<Pie
id="pie"
v-if="chartData && chartOptions"
:data="chartData"
:options="chartOptions"
/>
<div>
<Pie id="pie" v-if="chartData && chartOptions" :data="chartData" :options="chartOptions" />
<p v-if="!chartData">
No category spending data is available for this selection of filters.
</p>
</div>
</template>