Skip to main content

Ledger in Python that follows corporate accounting rules.

Project description

abacus-minimal

abacus-minimal aims to be concise and expressive in implementation of double entry book-keeping rules for corporate accounting.

The project goals is to make a valid accounting engine in fewer lines of code.

Current version

PyPI - Version

0.10.4 is a good candidate release for 1.0 -- I will be looking for comments and peer review on this version of abacus-minimal (reddit, HN, etc).

Install

pip install abacus-minimal

Latest:

pip install git+https://github.com/epogrebnyak/abacus-minimal.git

Workflow

The steps for using abacus-minimal follow the steps of a typical accounting cycle:

  • create a chart of accounts,
  • open ledger for the current reporting period,
  • post entries that reflect business transactions,
  • post reconciliation and adjustment entries,
  • close accounts at reporting period end,
  • show financial reports,
  • save the data for the next reporting period.

Code example

In this code example we will programmatically run the accounting workflow within one reporting period using abacus-minimal.

The inputs to this code are:

  • the chart of accounts,
  • account opening balances from previous period,
  • accounting entries that reflect business transactions within the reporting period.

The resulting outputs are:

  • account balances at period end,
  • balance sheet,
  • income statement.

There are no reconciliations, adjustments and post-close entries in this example.

The complete code example is in readme.py.

1. Create chart of accounts

Steps involved:

  • specify names of the current earnings and retained earnings accounts,
  • add account names for assets, capital, liabilities, income and expenses,
  • add contra accounts (in example below refunds is a contra account to sales).

Code example:

from abacus import Chart

chart = Chart(
    retained_earnings="retained_earnings",
    current_earnings="current_earnings",
    assets=["cash", "ar"],
    capital=["equity"],
    liabilities=["vat_payable"],
    income=["sales"],
    expenses=["salaries"],
)
chart.offset("sales", "refunds")
chart.name("ar", "Accounts receivable")

Chart class is a pydantic model, which means it is easily converted to a JSON file. You can save or load a chart from a file.

chart.save("chart.json")
chart = Chart.load("chart.json")

2. Post entries to ledger

Steps involved:

  • create a data structure that represents state of accounts (ledger),
  • record account starting balances from the previous period,
  • record entries that represent business transactions,
  • show state of ledger (trial balance or account balances) at any time.

Trial balance and account balances can be displayed at any time.

Let's create a book with opening balances known from previous period:

from abacus import Book

opening_balances = {
    "cash": 10_000,
    "equity": 8_000,
    "retained_earnings": 2_000
    }
book = Book(chart, opening_balances)

At this point the book is ready ro record entries. Each entry has a title and directions to alter the accounts that are called debits and credits. The sum of debits should match the sum of credits.

The Entry class provies several ways to record the composition of an entry as shown below:

from abacus import Entry

entries = [
    Entry("Invoice with VAT").debit("ar", 6000).credit("sales", 5000).credit("vat_payable", 1000),
    Entry("Cash payment").debit("cash", 6000).credit("ar", 6000),
    Entry("Cashback").double(debit="refunds", credit="cash", amount=500),
    Entry("Paid salaries").amount(1500).debit("salaries").credit("cash"),
]

# Post entries to book
book.post_many(entries)

After posting entries you can inspect the trial balance or account balances:

# Show trial balance and account balances
print(book.trial_balance)
print(book.balances)

# Check account balances match expected values
assert book.balances == {
    "cash": 14000,
    "ar": 0,
    "equity": 8000,
    "vat_payable": 1000,
    "sales": 5000,
    "refunds": 500,
    "salaries": 1500,
    "current_earnings": 0,
    "retained_earnings": 2000,
}

3. Closing accounts

Closing accounts at period end involves:

  • closing contra accounts to income and expense accounts, and
  • closing income and expense accounts to retained earnings.

Code to close accounts shown in the section below.

4. Reporting financial statements

Financial reports are typically dslayed after account closing, but can be shown before closing as well.

The income statement will be the same before and after closing.

The balance sheet before closing the will contain current earnings and retained earnings from previous periods. After closing the current earnings account will be transfered to retained earnings account, the current earnings account is removed from the ledger and does not appear in balance sheet.

Expect to see a lot of dictionary-like data structures in code ouput below:

print("=== Before closing ===")
print(book.income_statement)
print(book.balance_sheet)
assert book.balance_sheet.capital["current_earnings"] == 3000

# Close accounts at period end
book.close()

print("=== After closing ===")
print(book.income_statement)
print(book.balance_sheet)

# Check account balances match expected values
print(book.balances)
assert book.balances == {
    "cash": 14000,
    "ar": 0,
    "equity": 8000,
    "vat_payable": 1000,
    "retained_earnings": 5000,
}

5. Saving data for the next period

It makes sense to save the entries and period end account balances to JSON files. You will not be able to save if files already exist, pick a different folder or filename in that case.

# Save JSON files
book.store.save("./entries.json")
book.balances.save("./end_balances.json")

Limitations

Several assumptions and simplifications are used to make abacus-minimal easier to develop and reason about.

The key assumptions are:

  • one currency,
  • unique account names,
  • one level of accounts in chart,
  • no intermediate accounts,
  • no treatment of other comprehensive income,
  • no changes in equity and cash flow statements (at least yet).

See core.py module docstring for more details.

Alternatives

abacus-minimal takes inspiration from the following great projects:

Plain text accounting tools are usually for personal finance while abacus-minimal targets accounting for a corporate entity. medici is a high performance ledger, but does not enforce accounting rules on data entry. python-accounting is a production-grade project, tightly coupled to a database.

Accounting knowledge

If you are totally new to accounting the suggested friendly course is https://www.accountingcoach.com/.

ACCA and CPA are the international and the US professional qualifications and IFRS and GAAP are the standards for accounting recognition, measurement and disclosure.

Part B-G in the ACCA syllabus for the FFA exam talk about what abacus-minimal is designed for.

Project conventions

I use just command runner to automate code maintenance tasks in this project.

just test and just fix scripts will run the following tools:

  • pytest
  • mypy
  • black and isort --float-to-top (probably should replace with ruff format)
  • ruff check
  • prettier for markdown formatting
  • codedown to extract Python code from README.md.

examples/readme.py is overwritten by the just readme command.

I use poetry as a package manager, but heard good things about uv that I want to try.

Changelog

  • 0.11.0 for this release version 0.10.4 is candidate.
  • 0.10.4 (2024-10-27) Handles income statement and balances sheet before and after close.
  • 0.10.0 (2024-10-24) Separates core, chart, entry and book code and tests.

Roadmap

For cleanup

  • Chart.current_earnings attribute
  • book.income_statement that works before and after period close
  • book.balance_sheet with current_earnings account when not closed
  • dedupulicate Book.open()
  • cleaner BalancesDict
  • reorder tests in test_book.py, use assert's from README

New features

  • Book.increase() and Book.decrease() methods
  • Entry.explain() method

Using abacus-minimal upstream

abacus-minimal can run:

  • CLI tools similar to abacus-py,
  • online accounting simulators similar to abacus-streamlit, and
  • may allow conversions between charts of accounts as requested in #4.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

abacus_minimal-0.10.4.tar.gz (14.0 kB view details)

Uploaded Source

Built Distribution

abacus_minimal-0.10.4-py3-none-any.whl (12.4 kB view details)

Uploaded Python 3

File details

Details for the file abacus_minimal-0.10.4.tar.gz.

File metadata

  • Download URL: abacus_minimal-0.10.4.tar.gz
  • Upload date:
  • Size: 14.0 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: poetry/1.8.3 CPython/3.12.1 Linux/6.5.0-1025-azure

File hashes

Hashes for abacus_minimal-0.10.4.tar.gz
Algorithm Hash digest
SHA256 6cc241704a3c9f54eba3a3c345e6051030ba51ec354d8ee2085f55990a72db4d
MD5 df2cb7988c27da54823c20d5d673af1c
BLAKE2b-256 d2604660a96c0a548544307d7a82be7f3218ce85df2712f46098049958a75089

See more details on using hashes here.

File details

Details for the file abacus_minimal-0.10.4-py3-none-any.whl.

File metadata

  • Download URL: abacus_minimal-0.10.4-py3-none-any.whl
  • Upload date:
  • Size: 12.4 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: poetry/1.8.3 CPython/3.12.1 Linux/6.5.0-1025-azure

File hashes

Hashes for abacus_minimal-0.10.4-py3-none-any.whl
Algorithm Hash digest
SHA256 cf2314702ff02686917b8da88d046ab5d3e5864f00f6351cae7e416bf2df3af9
MD5 eff66de9585fb107146b51803fbeaeb0
BLAKE2b-256 48beadb84ca68fb39ad34204e324eab8abf9d26e123f456deb3766dff3c30afa

See more details on using hashes here.

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page