overhaul single- and multi-column balance reports

Changes include:

- flat mode now shows exclusive (subaccount-excluding) balances.
  This is a deviation from ledger, but seems simpler and clearer
  for users and implementors across the various modes.

- in flat mode, --depth now aggregates deeper accounts at the
  depth limit, rather than just excluding them from the report.
  This is more useful.

- in flat mode, --empty no longer shows parent accounts with
  no postings.

- more tests, more debug output, clearer code
This commit is contained in:
Simon Michael 2014-03-25 19:27:18 -07:00
parent 4dc61e76bf
commit 6a928a03a8
6 changed files with 341 additions and 117 deletions

View File

@ -120,6 +120,43 @@ clipAccounts d a = a{asubs=subs}
where where
subs = map (clipAccounts (d-1)) $ asubs a subs = map (clipAccounts (d-1)) $ asubs a
-- | Remove subaccounts below the specified depth, aggregating their balance at the depth limit
-- (accounts at the depth limit will have any sub-balances merged into their exclusive balance).
-- XXX may be incorrect in some cases.
clipAccountsAndAggregate :: Int -> [Account] -> [Account]
clipAccountsAndAggregate d as = combined
where
clipped = [a{aname=clipAccountName d $ aname a} | a <- as]
combined = [a{aebalance=sum (map aebalance same)}
| same@(a:_) <- groupBy (\a1 a2 -> aname a1 == aname a2) clipped]
{-
test cases, assuming d=1:
assets:cash 1 1
assets:checking 1 1
->
as: [assets:cash 1 1, assets:checking 1 1]
clipped: [assets 1 1, assets 1 1]
combined: [assets 2 2]
assets 0 2
assets:cash 1 1
assets:checking 1 1
->
as: [assets 0 2, assets:cash 1 1, assets:checking 1 1]
clipped: [assets 0 2, assets 1 1, assets 1 1]
combined: [assets 2 2]
assets 0 2
assets:bank 1 2
assets:bank:checking 1 1
->
as: [assets 0 2, assets:bank 1 2, assets:bank:checking 1 1]
clipped: [assets 0 2, assets 1 2, assets 1 1]
combined: [assets 2 2]
-}
-- | Remove all leaf accounts and subtrees matching a predicate. -- | Remove all leaf accounts and subtrees matching a predicate.
pruneAccounts :: (Account -> Bool) -> Account -> Maybe Account pruneAccounts :: (Account -> Bool) -> Account -> Maybe Account
pruneAccounts p = headMay . prune pruneAccounts p = headMay . prune

View File

@ -1,4 +1,4 @@
{-# LANGUAGE RecordWildCards, DeriveDataTypeable, FlexibleInstances #-} {-# LANGUAGE RecordWildCards, DeriveDataTypeable, FlexibleInstances, ScopedTypeVariables #-}
{-| {-|
Balance report, used by the balance command. Balance report, used by the balance command.
@ -10,6 +10,7 @@ module Hledger.Reports.BalanceReport (
BalanceReportItem, BalanceReportItem,
RenderableAccountName, RenderableAccountName,
balanceReport, balanceReport,
flatShowsExclusiveBalance,
-- * Tests -- * Tests
tests_Hledger_Reports_BalanceReport tests_Hledger_Reports_BalanceReport
@ -45,6 +46,15 @@ type BalanceReportItem = (RenderableAccountName, MixedAmount)
-- (normally the 0-based depth of this account excluding boring parents, or 0 with --flat). -- (normally the 0-based depth of this account excluding boring parents, or 0 with --flat).
type RenderableAccountName = (AccountName, AccountName, Int) type RenderableAccountName = (AccountName, AccountName, Int)
-- | When true (the default), this makes balance --flat reports and their implementation clearer.
-- Single/multi-col balance reports currently aren't all correct if this is false.
flatShowsExclusiveBalance = True
-- | Enabling this makes balance --flat --empty also show parent accounts without postings,
-- in addition to those with postings and a zero balance. Disabling it shows only the latter.
-- No longer supported, but leave this here for a bit.
-- flatShowsPostinglessAccounts = True
-- | Generate a simple balance report, containing the matched accounts and -- | Generate a simple balance report, containing the matched accounts and
-- their balances (change of balance) during the specified period. -- their balances (change of balance) during the specified period.
-- This is like periodBalanceReport with a single column (but more mature, -- This is like periodBalanceReport with a single column (but more mature,
@ -52,24 +62,32 @@ type RenderableAccountName = (AccountName, AccountName, Int)
balanceReport :: ReportOpts -> Query -> Journal -> BalanceReport balanceReport :: ReportOpts -> Query -> Journal -> BalanceReport
balanceReport opts q j = (items, total) balanceReport opts q j = (items, total)
where where
l = ledgerFromJournal q $ journalSelectingAmountFromOpts opts j -- dbg = const id -- exclude from debug output
accts = dbg s = let p = "balanceReport" in Hledger.Utils.dbg (p++" "++s) -- add prefix in debug output
dbg "accts1" $
clipAccounts (queryDepth q) $ -- exclude accounts deeper than specified depth accts = ledgerRootAccount $ ledgerFromJournal q $ journalSelectingAmountFromOpts opts j
ledgerRootAccount l accts' :: [Account]
accts' | flat_ opts = dbg "accts" $
| flat_ opts = filterzeros $ tail $ flattenAccounts accts filterzeros $
| otherwise = filter (not.aboring) $ tail $ flattenAccounts $ markboring $ prunezeros accts filterempty $
drop 1 $ clipAccountsAndAggregate (queryDepth q) $ flattenAccounts accts
| otherwise = dbg "accts" $
filter (not.aboring) $
drop 1 $ flattenAccounts $
markboring $
prunezeros $ clipAccounts (queryDepth q) accts
where where
filterzeros | empty_ opts = id balance = if flat_ opts then aebalance else aibalance
| otherwise = filter (not . isZeroMixedAmount . aebalance) filterzeros = if empty_ opts then id else filter (not . isZeroMixedAmount . balance)
prunezeros | empty_ opts = id filterempty = filter (\a -> anumpostings a > 0 || not (isZeroMixedAmount (balance a)))
| otherwise = fromMaybe nullacct . pruneAccounts (isZeroMixedAmount.aibalance) prunezeros = if empty_ opts then id else fromMaybe nullacct . pruneAccounts (isZeroMixedAmount . balance)
markboring | no_elide_ opts = id markboring = if no_elide_ opts then id else markBoringParentAccounts
| otherwise = markBoringParentAccounts items = dbg "items" $ map (balanceReportItem opts q) accts'
items = map (balanceReportItem opts) accts' total | not (flat_ opts) = dbg "total" $ sum [amt | ((_,_,indent),amt) <- items, indent == 0]
total = sum [amt | ((a,_,indent),amt) <- items, if flat_ opts then accountNameLevel a == 1 else indent == 0] | otherwise = dbg "total" $
-- XXX check account level == 1 is valid when top-level accounts excluded if flatShowsExclusiveBalance
then sum $ map snd items
else sum $ map aebalance $ clipAccountsAndAggregate 1 accts'
-- | In an account tree with zero-balance leaves removed, mark the -- | In an account tree with zero-balance leaves removed, mark the
-- elidable parent accounts (those with one subaccount and no balance -- elidable parent accounts (those with one subaccount and no balance
@ -80,10 +98,10 @@ markBoringParentAccounts = tieAccountParents . mapAccounts mark
mark a | length (asubs a) == 1 && isZeroMixedAmount (aebalance a) = a{aboring=True} mark a | length (asubs a) == 1 && isZeroMixedAmount (aebalance a) = a{aboring=True}
| otherwise = a | otherwise = a
balanceReportItem :: ReportOpts -> Account -> BalanceReportItem balanceReportItem :: ReportOpts -> Query -> Account -> BalanceReportItem
balanceReportItem opts a@Account{aname=name, aibalance=ibal} balanceReportItem opts _ a@Account{aname=name}
| flat_ opts = ((name, name, 0), ibal) | flat_ opts = ((name, name, 0), (if flatShowsExclusiveBalance then aebalance else aibalance) a)
| otherwise = ((name, elidedname, indent), ibal) | otherwise = ((name, elidedname, indent), aibalance a)
where where
elidedname = accountNameFromComponents (adjacentboringparentnames ++ [accountLeafName name]) elidedname = accountNameFromComponents (adjacentboringparentnames ++ [accountLeafName name])
adjacentboringparentnames = reverse $ map (accountLeafName.aname) $ takeWhile aboring $ parents adjacentboringparentnames = reverse $ map (accountLeafName.aname) $ takeWhile aboring $ parents

View File

@ -1,4 +1,4 @@
{-# LANGUAGE RecordWildCards, DeriveDataTypeable, FlexibleInstances #-} {-# LANGUAGE RecordWildCards, DeriveDataTypeable, FlexibleInstances, ScopedTypeVariables #-}
{-| {-|
Multi-column balance reports, used by the balance command. Multi-column balance reports, used by the balance command.
@ -52,11 +52,14 @@ type MultiBalanceReportRow = (RenderableAccountName, [MixedAmount])
instance Show MultiBalanceReport where instance Show MultiBalanceReport where
-- use ppShow to break long lists onto multiple lines -- use ppShow to break long lists onto multiple lines
-- we have to add some bogus extra shows here to help ppShow parse the output -- we add some bogus extra shows here to help ppShow parse the output
-- and wrap tuples and lists properly -- and wrap tuples and lists properly
show (MultiBalanceReport (spans, items, totals)) = show (MultiBalanceReport (spans, items, totals)) =
"MultiBalanceReport (ignore extra quotes):\n" ++ ppShow (show spans, map show items, totals) "MultiBalanceReport (ignore extra quotes):\n" ++ ppShow (show spans, map show items, totals)
-- type alias just to remind us which AccountNames might be depth-clipped, below.
type ClippedAccountName = AccountName
-- | Generate a multi balance report for the matched accounts, showing -- | Generate a multi balance report for the matched accounts, showing
-- their change of balance in each of the specified periods. -- their change of balance in each of the specified periods.
-- Currently has some limitations compared to the simple balance report, -- Currently has some limitations compared to the simple balance report,
@ -64,16 +67,35 @@ instance Show MultiBalanceReport where
periodBalanceReport :: ReportOpts -> Query -> Journal -> MultiBalanceReport periodBalanceReport :: ReportOpts -> Query -> Journal -> MultiBalanceReport
periodBalanceReport opts q j = MultiBalanceReport (spans, items, totals) periodBalanceReport opts q j = MultiBalanceReport (spans, items, totals)
where where
(q',depthq) = (filterQuery (not . queryIsDepth) q, filterQuery queryIsDepth q) -- dbg = const id -- exclude from debug output
clip = filter (depthq `matchesAccount`) dbg s = let p = "periodBalanceReport" in Hledger.Utils.dbg (p++" "++s) -- add prefix in debug output
j' = filterJournalPostings q' $ journalSelectingAmountFromOpts opts j
ps = journalPostings $
filterJournalPostingAmounts (filterQuery queryIsSym q) -- remove amount parts which the query's sym: terms would exclude
j'
-- the requested span is the span of the query (which is -- Example data below is from
-- based on -b/-e/-p opts and query args IIRC). -- hledger -f data/balance-multicol.journal balance -p 'monthly2013' assets: --depth=1 --debug=1
requestedspan = queryDateSpan (date2_ opts) q -- with flatShowsExclusiveBalance=True. To see more, run other commands from
-- tests/balance-multicol.test with --debug=1.
nodepthq = dbg "nodepthq" $ filterQuery (not . queryIsDepth) q
-- And ([Date (DateSpan (Just 2013-01-01) (Just 2014-01-01)),Acct "assets:"])
depthq = dbg "depthq" $ filterQuery queryIsDepth q
-- Any
depth = queryDepth depthq
-- Depth 1
symq = dbg "symq" $ filterQuery queryIsSym q
-- Any
ps :: [Posting] =
dbg "ps" $
journalPostings $
filterJournalPostingAmounts symq $ -- exclude amount parts excluded by cur:
filterJournalPostings nodepthq $ -- exclude unmatched postings, but include all depths
journalSelectingAmountFromOpts opts j
--
-- [(assets:checking) 1
-- ,(assets:checking) -1
-- ,(assets:cash) 1
-- ,(assets:checking) 1
-- ]
-- the report's span will be the requested span intersected with -- the report's span will be the requested span intersected with
-- the selected data's span; or with -E, the requested span -- the selected data's span; or with -E, the requested span
@ -81,24 +103,96 @@ periodBalanceReport opts q j = MultiBalanceReport (spans, items, totals)
reportspan | empty_ opts = requestedspan `orDatesFrom` journalspan reportspan | empty_ opts = requestedspan `orDatesFrom` journalspan
| otherwise = requestedspan `spanIntersect` matchedspan | otherwise = requestedspan `spanIntersect` matchedspan
where where
journalspan = journalDateSpan j' requestedspan = queryDateSpan (date2_ opts) q -- based on -b/-e/-p opts and query args IIRC
matchedspan = postingsDateSpan ps journalspan = journalDateSpan j
matchedspan = postingsDateSpan ps
-- first implementation, probably inefficient spans :: [DateSpan] =
spans = dbg "1 " $ splitSpan (intervalFromOpts opts) reportspan dbg "spans" $
psPerSpan = dbg "3" $ [filter (isPostingInDateSpan s) ps | s <- spans] splitSpan (intervalFromOpts opts) reportspan
acctnames = dbg "4" $ sort $ clip $ -- [DateSpan (Just 2013-01-01) (Just 2013-02-01)
-- expandAccountNames $ -- ,DateSpan (Just 2013-02-01) (Just 2013-03-01)
accountNamesFromPostings ps -- ,DateSpan (Just 2013-03-01) (Just 2013-04-01)
allAcctsZeros = dbg "5" $ [(a, nullmixedamt) | a <- acctnames] -- ]
someAcctBalsPerSpan = dbg "6" $ [[(aname a, aibalance a) | a <- drop 1 $ accountsFromPostings ps, depthq `matchesAccount` aname a, aname a `elem` acctnames] | ps <- psPerSpan]
balsPerSpan = dbg "7" $ [sortBy (comparing fst) $ unionBy (\(a,_) (a',_) -> a == a') acctbals allAcctsZeros | acctbals <- someAcctBalsPerSpan] psBySpan :: [[Posting]] =
balsPerAcct = dbg "8" $ transpose balsPerSpan dbg "psBySpan" $
acctsAndBals = dbg "8.5" $ zip acctnames (map (map snd) balsPerAcct) [filter (isPostingInDateSpan s) ps | s <- spans]
items = dbg "9" $ [((a, a, accountNameLevel a), bs) | (a,bs) <- acctsAndBals, empty_ opts || any (not . isZeroMixedAmount) bs] -- [[(assets:checking) 1, (assets:checking) -1]
highestLevelBalsPerSpan = -- ,[(assets:cash) 1]
dbg "9.5" $ [[b | (a,b) <- spanbals, not $ any (`elem` acctnames) $ init $ expandAccountName a] | spanbals <- balsPerSpan] -- ,[(assets:checking) 1]
totals = dbg "10" $ map sum highestLevelBalsPerSpan
postedAccts :: [AccountName] =
dbg "postedAccts" $
sort $ accountNamesFromPostings ps
-- [ "assets:cash" , "assets:checking" ]
displayedAccts :: [ClippedAccountName] =
dbg "displayedAccts" $
nub $ map (clipAccountName depth) postedAccts
-- [ "assets" ]
zeroes :: [(ClippedAccountName, MixedAmount)] =
dbg "zeroes" $
[(a, nullmixedamt) | a <- displayedAccts]
-- [ ( "assets" , 0 ) ]
postedAcctBalsBySpan :: [[(ClippedAccountName, MixedAmount)]] =
dbg "postedAcctBalsBySpan" $
[postingAcctBals ps | ps <- psBySpan]
where
postingAcctBals :: [Posting] -> [(ClippedAccountName, MixedAmount)]
postingAcctBals ps = [(aname a, (if flatShowsExclusiveBalance then aebalance else aibalance) a) | a <- as]
where
as = depthLimit $
filter ((>0).anumpostings) $
drop 1 $ accountsFromPostings ps
depthLimit
| flatShowsExclusiveBalance = clipAccountsAndAggregate depth -- aggregate deeper balances at the depth limit
| otherwise = filter ((depthq `matchesAccount`).aname) -- exclude deeper balances
-- [ [ ( "assets" , 0 ) ]
-- , [ ( "assets" , 1 ) ]
-- , [ ( "assets" , 1 ) ]
-- ]
displayedBalsBySpan :: [[(ClippedAccountName, MixedAmount)]] =
dbg "displayedBalsBySpan" $
[sortBy (comparing fst) $ unionBy (\(a,_) (a',_) -> a == a') postedacctbals zeroes
| postedacctbals <- postedAcctBalsBySpan]
--
-- [ [ ( "assets" , 0 ) ]
-- , [ ( "assets" , 1 ) ]
-- , [ ( "assets" , 1 ) ]
-- ]
displayedBalsByAcct :: [[(ClippedAccountName, MixedAmount)]] =
dbg "displayedBalsByAcct" $
transpose displayedBalsBySpan
-- [ [ ( "assets" , 0 ) , ( "assets" , 1 ) , ( "assets" , 1 ) ] ]
acctBalsAlist :: [(ClippedAccountName, [MixedAmount])] =
dbg "acctBalsAlist" $
zip displayedAccts (map (map snd) [bs | bs <- displayedBalsByAcct
-- , maybe False ((`elem` postedAccts).fst) $ headMay bs
])
-- [ ( "assets" , [ 0 , 1 , 1 ] ) ]
items :: [MultiBalanceReportRow] =
dbg "items" $
[((a, a, accountNameLevel a), bs) | (a,bs) <- acctBalsAlist, empty_ opts || any (not . isZeroMixedAmount) bs]
-- [ ( ( "assets" , "assets" , 1 ) , [ 0 , 1 , 1 ] ) ]
-- highestLevelBalsBySpan :: [[MixedAmount]] =
-- dbg "highestLevelBalsBySpan" $
-- [[b | (a,b) <- spanbals, not $ any (`elem` postedAccts) $ init $ expandAccountName a] | spanbals <- displayedBalsBySpan]
totals :: [MixedAmount] =
dbg "totals" $
if flatShowsExclusiveBalance
then map (sum . map snd) displayedBalsBySpan
else map (sum . map pamount) psBySpan
-- else map sum highestLevelBalsBySpan
-- [ 0 , 1 , 1 ]
-- | Generate a multi balance report for the matched accounts, showing -- | Generate a multi balance report for the matched accounts, showing
-- their cumulative or (with -H) historical balance in each of the specified periods. -- their cumulative or (with -H) historical balance in each of the specified periods.
@ -106,50 +200,50 @@ periodBalanceReport opts q j = MultiBalanceReport (spans, items, totals)
cumulativeOrHistoricalBalanceReport :: ReportOpts -> Query -> Journal -> MultiBalanceReport cumulativeOrHistoricalBalanceReport :: ReportOpts -> Query -> Journal -> MultiBalanceReport
cumulativeOrHistoricalBalanceReport opts q j = MultiBalanceReport (periodbalancespans, items, totals) cumulativeOrHistoricalBalanceReport opts q j = MultiBalanceReport (periodbalancespans, items, totals)
where where
-- dbg = const id -- exclude from debug output
dbg s = let p = "cumulativeOrHistoricalBalanceReport" in Hledger.Utils.dbg (p++" "++s) -- add prefix in debug output
-- select/adjust basic report dates -- select/adjust basic report dates
(reportspan, _) = reportSpans opts q j (reportspan, _) = dbg "report spans" $ reportSpans opts q j
-- rewrite query to use adjusted dates -- starting balances and accounts from transactions before the report start date
dateless = filterQuery (not . queryIsDate) startacctbals = dbg "startacctbals" $ map (\((a,_,_),b) -> (a,b)) $ startbalanceitems
depthless = filterQuery (not . queryIsDepth) where
q' = dateless $ depthless q dateless = filterQuery (not . queryIsDate)
-- reportq = And [q', Date reportspan] precedingq = dbg "precedingq" $ And [dateless q, Date $ DateSpan Nothing (spanStart reportspan)]
(startbalanceitems,_) = dbg "starting balance report" $ balanceReport opts{flat_=True,empty_=True} precedingq j
-- get starting balances and accounts from preceding txns
precedingq = And [q', Date $ DateSpan Nothing (spanStart reportspan)]
(startbalanceitems,_) = balanceReport opts{flat_=True,empty_=True} precedingq j
startacctbals = dbg "startacctbals" $ map (\((a,_,_),b) -> (a,b)) startbalanceitems
-- acctsWithStartingBalance = map fst $ filter (not . isZeroMixedAmount . snd) startacctbals -- acctsWithStartingBalance = map fst $ filter (not . isZeroMixedAmount . snd) startacctbals
startingBalanceFor a | balancetype_ opts == HistoricalBalance = fromMaybe nullmixedamt $ lookup a startacctbals startingBalanceFor a
| otherwise = nullmixedamt | balancetype_ opts == HistoricalBalance = fromMaybe nullmixedamt $ lookup a startacctbals
| otherwise = nullmixedamt
-- get balance changes by period -- balance changes in each period for each account
MultiBalanceReport (periodbalancespans,periodbalanceitems,_) = dbg "changes" $ periodBalanceReport opts q j MultiBalanceReport (periodbalancespans,periodbalanceitems,_) = dbg "balance changes report" $ periodBalanceReport opts q j
balanceChangesByAcct = map (\((a,_,_),bs) -> (a,bs)) periodbalanceitems balanceChangesByAcct = map (\((a,_,_),bs) -> (a,bs)) periodbalanceitems
acctsWithBalanceChanges = map fst $ filter ((any (not . isZeroMixedAmount)) . snd) balanceChangesByAcct acctsWithBalanceChanges = map fst $ filter ((any (not . isZeroMixedAmount)) . snd) balanceChangesByAcct
balanceChangesFor a = fromMaybe (error $ "no data for account: a") $ -- XXX balanceChangesFor a = fromMaybe (error $ "no data for account: a") $ -- XXX
lookup a balanceChangesByAcct lookup a balanceChangesByAcct
-- accounts to report on -- accounts to report on
reportaccts -- = dbg' "reportaccts" $ (dbg' "acctsWithStartingBalance" acctsWithStartingBalance) `union` (dbg' "acctsWithBalanceChanges" acctsWithBalanceChanges) reportaccts = dbg "reportaccts"
= acctsWithBalanceChanges acctsWithBalanceChanges
-- $ (dbg' "acctsWithStartingBalance" acctsWithStartingBalance) `union` (dbg' "acctsWithBalanceChanges" acctsWithBalanceChanges)
-- sum balance changes to get ending balances for each period -- ending balances in each period (starting balance plus balance changes) for an account
endingBalancesFor a = endingBalancesFor a =
dbg "ending balances" $ drop 1 $ scanl (+) (startingBalanceFor a) $ dbg "ending balances" $ drop 1 $ scanl (+) (startingBalanceFor a) $
dbg "balance changes" $ balanceChangesFor a dbg ("balance changes for "++a) $ balanceChangesFor a
items = dbg "items" $ [((a,a,0), endingBalancesFor a) | a <- reportaccts] items = dbg "items" $ [((a,a,0), endingBalancesFor a) | a <- reportaccts]
-- sum highest-level account balances in each column for column totals totals = dbg "totals" $
totals = dbg "totals" $ map sum highestlevelbalsbycol if flatShowsExclusiveBalance
then map sum balsbycol
else map sum highestlevelbalsbycol
where where
balsbycol = transpose $ map endingBalancesFor reportaccts
highestlevelbalsbycol = transpose $ map endingBalancesFor highestlevelaccts highestlevelbalsbycol = transpose $ map endingBalancesFor highestlevelaccts
highestlevelaccts = highestlevelaccts =
dbg "highestlevelaccts" $ dbg "highestlevelaccts" $
[a | a <- reportaccts, not $ any (`elem` reportaccts) $ init $ expandAccountName a] [a | a <- reportaccts, not $ any (`elem` reportaccts) $ init $ expandAccountName a]
-- enable to debug just this function
-- dbg :: Show a => String -> a -> a
-- dbg = lstrace

View File

@ -1,31 +0,0 @@
# issue 94: total balance should be that of top-level accounts, with and without --flat
# 1.
hledgerdev -f - balance
<<<
1/1
(a) 1
1/1
(a:aa) 1
>>>
2 a
1 aa
--------------------
2
>>>= 0
# 2.
hledgerdev -f - balance --flat
<<<
1/1
(a) 1
1/1
(a:aa) 1
>>>
2 a
1 a:aa
--------------------
2
>>>= 0

51
tests/balance-flat.test Normal file
View File

@ -0,0 +1,51 @@
# --flat shows inclusive balances; total balance should be that of top-level accounts (issue 94)
# # 1.
# hledgerdev -f - balance --flat
# <<<
# 1/1
# (a) 1
# (a:aa) 1
# >>>
# 2 a
# 1 a:aa
# --------------------
# 2
# >>>= 0
# --flat shows exclusive balances
# 1.
hledgerdev -f - balance --flat
<<<
1/1
(a:aa) 1
(a:aa:aaa) 1
(a:aa:bbb) 1
(b) 1
(b:bb:bbb) 1
>>>
1 a:aa
1 a:aa:aaa
1 a:aa:bbb
1 b
1 b:bb:bbb
--------------------
5
>>>= 0
# --flat --depth shows the same accounts, but clipped and aggregated at the depth limit
# 2.
hledgerdev -f - balance --flat --depth 2
<<<
1/1
(a:aa) 1
(a:aa:aaa) 1
(a:aa:bbb) 1
(b) 1
(b:bb:bbb) 1
>>>
3 a:aa
1 b
1 b:bb
--------------------
5
>>>= 0

View File

@ -11,14 +11,14 @@ hledgerdev -f data/balance-multicol.journal register
2013/03/01 (assets:checking) 1 13 2013/03/01 (assets:checking) 1 13
>>>=0 >>>=0
# 2. A period balance (flow) report. # 2. A period balance (flow) report. --no-total also works but isn't pretty.
hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --no-total hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --no-total
>>> >>>
Change of balance (flow): Change of balance (flow):
|| 2013/01/01-2013/01/31 2013/02/01-2013/02/28 2013/03/01-2013/03/31 || 2013/01/01-2013/01/31 2013/02/01-2013/02/28 2013/03/01-2013/03/31
=================++====================================================================== =================++======================================================================
assets || 0 2 1 assets || 0 1 0
assets:cash || 0 1 0 assets:cash || 0 1 0
assets:checking || 0 0 1 assets:checking || 0 0 1
-----------------++---------------------------------------------------------------------- -----------------++----------------------------------------------------------------------
@ -55,7 +55,7 @@ Ending balance (cumulative):
|| 2013/01/31 2013/02/28 2013/03/31 || 2013/01/31 2013/02/28 2013/03/31
=================++===================================== =================++=====================================
assets || 0 2 3 assets || 0 1 1
assets:cash || 0 1 1 assets:cash || 0 1 1
assets:checking || 0 0 1 assets:checking || 0 0 1
-----------------++------------------------------------- -----------------++-------------------------------------
@ -72,7 +72,7 @@ Ending balance (cumulative):
|| 2013/01/31 2013/02/28 2013/03/31 || 2013/01/31 2013/02/28 2013/03/31
=================++===================================== =================++=====================================
assets || 0 1 2 assets || 0 1 1
assets:checking || 0 0 1 assets:checking || 0 0 1
-----------------++------------------------------------- -----------------++-------------------------------------
|| 0 1 2 || 0 1 2
@ -86,7 +86,7 @@ Ending balance (historical):
|| 2013/01/31 2013/02/28 2013/03/31 || 2013/01/31 2013/02/28 2013/03/31
=================++===================================== =================++=====================================
assets || 10 12 13 assets || 0 1 1
assets:cash || 0 1 1 assets:cash || 0 1 1
assets:checking || 10 10 11 assets:checking || 10 10 11
-----------------++------------------------------------- -----------------++-------------------------------------
@ -124,15 +124,70 @@ Ending balance (cumulative):
>>>=0 >>>=0
# 9. historical # 9. historical
hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' not:assets$ --historical hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --historical
>>> >>>
Ending balance (historical): Ending balance (historical):
|| 2013/01/31 2013/02/28 2013/03/31 || 2013/01/31 2013/02/28 2013/03/31
=================++===================================== =================++=====================================
assets || 0 1 1
assets:cash || 0 1 1 assets:cash || 0 1 1
assets:checking || 10 10 11 assets:checking || 10 10 11
-----------------++------------------------------------- -----------------++-------------------------------------
|| 10 11 12 || 10 12 13
>>>=0
# --depth
# 10. A flow report with depth limiting. The depth limit aggregates the three accounts as "assets".
hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --depth 1
>>>
Change of balance (flow):
|| 2013/01/01-2013/01/31 2013/02/01-2013/02/28 2013/03/01-2013/03/31
========++======================================================================
assets || 0 2 1
--------++----------------------------------------------------------------------
|| 0 2 1
>>>=0
# 11. As above, but postings in the top-level assets account have been excluded.
hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --depth 1 assets:
>>>
Change of balance (flow):
|| 2013/01/01-2013/01/31 2013/02/01-2013/02/28 2013/03/01-2013/03/31
========++======================================================================
assets || 0 1 1
--------++----------------------------------------------------------------------
|| 0 1 1
>>>=0
# 12. A cumulative balance report with depth limiting.
hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --depth 1 --cumulative
>>>
Ending balance (cumulative):
|| 2013/01/31 2013/02/28 2013/03/31
========++=====================================
assets || 0 2 3
--------++-------------------------------------
|| 0 2 3
>>>=0
# 13. A historical balance report with depth limiting.
hledgerdev -f data/balance-multicol.journal balance -p 'monthly in 2013' --depth 1 --historical
>>>
Ending balance (historical):
|| 2013/01/31 2013/02/28 2013/03/31
========++=====================================
assets || 10 12 13
--------++-------------------------------------
|| 10 12 13
>>>=0 >>>=0