• This repository has been archived on 10/Jan/2022
  • Stars
    star
    174
  • Rank 218,415 (Top 5 %)
  • Language
    PHP
  • License
    Other
  • Created over 8 years ago
  • Updated over 5 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Balance accounting (bookkeeping) system based on debit and credit principle

Balance Accounting System extension for Yii2


This extension provides basic support for balance accounting (bookkeeping) system based on debit and credit principle.

For license information check the LICENSE-file.

Latest Stable Version Total Downloads Build Status

Installation

The preferred way to install this extension is through composer.

Either run

php composer.phar require --prefer-dist yii2tech/balance

or add

"yii2tech/balance": "*"

to the require section of your composer.json.

Usage

This extension provides basic support for balance accounting (bookkeeping) system based on debit and credit principle. Balance system is usually used for the accounting (bookkeeping) and money operations. However, it may also be used for any resource transferring from one location to another. For example: transferring goods from storehouse to the shop and so on.

There 2 main terms related to the balance system:

  • account - virtual storage of the resources, which have some logical meaning.
  • transaction - represents actual transfer of the resources to or from particular account.

Lets assume we have a system, which provides virtual money balance for the user. Money on the balance can be used for the goods purchasing, user can top up his balance via some payment gateway. In such example, each user should have 3 virtual balance accounts: 'virtual-money', 'payment-gateway' and 'purchases'. When user tops up his virtual balance, our system should remove money from 'payment-gateway' and add them to 'virtual-money'. When user purchases an item, our system should remove money from 'virtual-money' and add them to 'purchases'. The trick is: if you sum current amount over all user related accounts ('payment-gateway' + 'virtual-money' + 'purchases'), it will always be equal to zero. Such check allows you to verify if something went wrong any time.

This extension introduces term 'balance manager' as a Yii application component, which should handle all balance transactions. Several implementations of such component are provided:

  • [[yii2tech\balance\ManagerDb]] - uses a relational database as a data storage.
  • [[yii2tech\balance\ManagerMongoDb]] - uses MongoDB as a data storage.
  • [[yii2tech\balance\ManagerActiveRecord]] - uses ActiveRecord classes for the data storage.

Please refer to the particular manager class for more details.

You can use balance manager as standalone object or configure it as application component. Application configuration example:

return [
    'components' => [
        'balanceManager' => [
            'class' => 'yii2tech\balance\ManagerDb',
            'accountTable' => '{{%BalanceAccount}}',
            'transactionTable' => '{{%BalanceTransaction}}',
            'accountLinkAttribute' => 'accountId',
            'amountAttribute' => 'amount',
            'dataAttribute' => 'data',
        ],
    ],
    ...
];

In order to increase (debit) balance at particular account, [[\yii2tech\balance\ManagerInterface::increase()]] method is used:

Yii::$app->balanceManager->increase($accountId, 500); // add 500 credits to account

In order to decrease (credit) balance at particular account, [[\yii2tech\balance\ManagerInterface::decrease()]] method is used:

Yii::$app->balanceManager->decrease($accountId, 100); // remove 100 credits from account

Tip: actually, method decrease() is redundant, you can call increase() with negative amount in order to achieve same result.

It is unlikely you will use plain increase() and decrease() methods in your application. In most cases there is a need to transfer money from one account to another at once. Method [[\yii2tech\balance\ManagerInterface::transfer()]] can be used for this:

$fromId = 1;
$toId = 2;
Yii::$app->balanceManager->transfer($fromId, $to, 100); // remove 100 credits from account 1 and add 100 credits to account 2

Note that method transfer() creates 2 separated transactions: one per each affected account. Thus you can easily fetch all money transfer history for particular account, simply selecting all transactions linked to it. 'Debit' transactions will have positive amount, while 'credit' ones - negative.

Note: If you wish each transaction created by transfer() remember another account involved in the process, you'll need to setup [[\yii2tech\balance\Manager::$extraAccountLinkAttribute]].

You may revert particular transaction using [[\yii2tech\balance\ManagerInterface::revert()]] method:

Yii::$app->balanceManager->revert($transactionId);

This method will not remove original transaction, but create new one, which compensates it.

Querying accounts

Using account IDs for the balance manager is not very practical. In our above example, each system user have 3 virtual accounts, each of which has its own unique ID. However, while performing purchase we operating user ID and account type, so we need to query actual account ID before using balance manager. Thus there is an ability to specify account for the balance manager methods using their attributes set. For example:

Yii::$app->balanceManager->transfer(
    [
        'userId' => Yii::$app->user->id,
        'type' => 'virtual-money',
    ],
    [
        'userId' => Yii::$app->user->id,
        'type' => 'purchases',
    ],
    500
);

In this example balance manager will find ID of the affected accounts automatically, using provided attributes as a filter.

You may enable [[yii2tech\balance\Manager::$autoCreateAccount]], allowing automatic creation of the missing accounts, if they are specified as attributes set. This allows accounts creation on the fly, by demand only, eliminating necessity of their pre-creation.

Heads up! Actually 'account' entity is redundant at balance system, and its usage can be avoided. However, its presence provides more flexibility and saves performance. Storing of account data is not mandatory for this extension, you can configure your balance manager in the way it is not used.

Finding account current balance

Current money amount at particular account can always be calculated as a sum of amounts over related transactions. You can use [[\yii2tech\balance\ManagerInterface::calculateBalance()]] method for that:

Yii::$app->balanceManager->transfer($fromAccount, $toAccount, 100); // assume this is first time accounts are affected

echo Yii::$app->balanceManager->calculateBalance($fromAccount); // outputs: -100
echo Yii::$app->balanceManager->calculateBalance($toAccount); // outputs: 100

However, calculating current balance each time you need it, is not efficient. Thus you can specify an attribute of account entity, which will be used to store current account balance. This can be done via [[\yii2tech\balance\Manager::$accountBalanceAttribute]]. Each time balance manager performs a transaction it will update this attribute accordingly:

use yii\db\Query;

Yii::$app->balanceManager->transfer($fromAccountId, $toAccountId, 100); // assume this is first time accounts are affected

$currentBalance = (new Query())
    ->select(['balance'])
    ->from('BalanceAccount')
    ->andWhere(['id' => $fromAccountId])
    ->scalar();

echo $currentBalance; // outputs: -100

Saving extra transaction data

Usually there is a necessity to save extra information along with the transaction. For example: we may need to save payment ID received from payment gateway. This can be achieved in following way:

// simple increase :
Yii::$app->balanceManager->increase(
    [
        'userId' => Yii::$app->user->id,
        'type' => 'virtual-money',
    ],
    100,
    // extra data associated with transaction :
    [
        'paymentGateway' => 'PayPal',
        'paymentId' => 'abcxyzerft',
    ]
);

// transfer :
Yii::$app->balanceManager->transfer(
    [
        'userId' => Yii::$app->user->id,
        'type' => 'payment-gateway',
    ],
    [
        'userId' => Yii::$app->user->id,
        'type' => 'virtual-money',
    ],
    100,
    // extra data associated with transaction :
    [
        'paymentGateway' => 'PayPal',
        'paymentId' => 'abcxyzerft',
    ]
);

The way extra attributes are stored in the data storage depends on particular balance manager implementation. For example: [[\yii2tech\balance\ManagerDb]] will try to store extra data inside transaction table columns, if their name equals the parameter name. You may as well setup special data field via [[\yii2tech\balance\ManagerDb::$dataAttribute]], which will store all extra parameters, which have no matching column, in serialized state.

Note: watch for the keys you use in transaction data: make sure they do not conflict with columns, which are reserved for other purposes, like primary keys.

Events

[[\yii2tech\balance\Manager]] provide several events, which can be handled via event handler or behavior:

  • [[yii2tech\balance\Manager::EVENT_BEFORE_CREATE_TRANSACTION]] - raised before creating new transaction.
  • [[yii2tech\balance\Manager::EVENT_AFTER_CREATE_TRANSACTION]] - raised after creating new transaction.

For example:

use yii2tech\balance\Manager;
use yii2tech\balance\ManagerDb;

$manager = new ManagerDb();

$manager->on(Manager::EVENT_BEFORE_CREATE_TRANSACTION, function ($event) {
    $event->transactionData['amount'] += 10; // you may adjust transaction data to be saved, including transaction amount
    $event->transactionData['comment'] = 'adjusted by event handler';
});

$manager->on(Manager::EVENT_AFTER_CREATE_TRANSACTION, function ($event) {
    echo 'new transaction: ' $event->transactionId; // you may get newly created transaction ID
});

$manager->increase(1, 100); // outputs: 'new transaction: 1'
echo Yii::$app->balanceManager->calculateBalance(1); // outputs: 110

More Repositories

1

ar-softdelete

Soft delete behavior for ActiveRecord
PHP
202
star
2

crontab

Yii2 extension for crontab support
PHP
184
star
3

file-storage

This package has been abandoned. See: https://www.patreon.com/posts/59332556
PHP
119
star
4

ar-position

ActiveRecord behavior, which provides ability for custom records order setup
PHP
113
star
5

admin

Admin pack (actions, widgets, etc) for Yii2
PHP
102
star
6

selfupdate

Basic script for project self update from VCS
PHP
92
star
7

csv-grid

Yii2 extension for CSV export
PHP
89
star
8

ar-linkmany

ActiveRecord behavior for saving many-to-many relations
PHP
87
star
9

illuminate

Yii2 to Laravel Migration Package
PHP
87
star
10

embedded

Support embedded models usage for complex ActiveRecord like MongoDB or ElasticSearch
PHP
81
star
11

spreadsheet

Yii2 extension for export to Excel
PHP
81
star
12

html2pdf

Yii2 component for HTML to PDF conversion
PHP
75
star
13

filedb

ActiveRecord for static data definitions based on files
PHP
73
star
14

config

Yii2 application runtime configuration support
PHP
62
star
15

sitemap

Site map creation support
PHP
59
star
16

project-template

Yii2 Project Template
PHP
54
star
17

content

Content management system for Yii2
PHP
53
star
18

ar-variation

Variation behavior for ActiveRecord
PHP
49
star
19

ar-dynattribute

Provide ActiveRecord dynamic attributes stored into the single field in serialized state
PHP
44
star
20

ar-file

This package has been abandoned. See: https://www.patreon.com/posts/59332556
PHP
36
star
21

ar-role

ActiveRecord behavior, which provides relation roles (table inheritance)
PHP
36
star
22

authlog

Identity auth tracking
PHP
33
star
23

ar-search

Provides unified search model for Yii ActiveRecord
PHP
31
star
24

ar-eagerjoin

ActiveRecord behavior, which provides relation eager loading by join without extra query
PHP
21
star
25

behavior-trait

Allows handling events via inline declared methods, which can be added by traits
PHP
20
star
26

install

basic script for project installation
PHP
18
star
27

activemail

Provides ActiveMessage mailing approach for Yii2
PHP
17
star
28

https

Secure connection (https) handling
PHP
11
star
29

model-change

Yii2 model data and state change tracking
PHP
11
star