Package Data | |
---|---|
Maintainer Username: | hao li |
Maintainer Contact: | haoli.sand@gmail.com (hao li) |
Package Create Date: | 2016-09-17 |
Package Last Update: | 2022-01-19 |
Home Page: | |
Language: | PHP |
License: | MIT |
Last Refreshed: | 2024-11-18 03:05:16 |
Package Statistics | |
---|---|
Total Downloads: | 2,748 |
Monthly Downloads: | 9 |
Daily Downloads: | 0 |
Total Stars: | 20 |
Total Watchers: | 2 |
Total Forks: | 7 |
Total Open Issues: | 1 |
系统中涉及到金额的字段,View 层表现的时候一般都是以元为单位使用小数形式展示,不过 Domain 层存储时从空间、性能、容错角度出发,经常以分为单位,用整型来存储。
在 Lavarel 中,可以在 Model 中添加属性方法进行转换
public function getAmountAttribute($value)
{
return $value / 100;
}
public function setAmountAttribute($value)
{
$this->attributes['amount'] = (int)($value * 100);
}
不过涉及金额的字段比较多时就需要定义很多相同逻辑的函数,本项目即将该逻辑抽出为 Trait,简化金额字段相关的处理。
除了金额外,小数位数固定的面积、长度等场景使用起来也很方便。
将转换逻辑封装在 AmountTrait 中,覆写 Model 类的 getMutatedAttributes, mutateAttributeForArray, getAttributeValue 及 setAttribute 方法,当访问相关字段时自动进行转换处理。
public function getMutatedAttributes()
{
$attributes = parent::getMutatedAttributes();
return array_merge($attributes, $this->getAmountFields());
}
protected function mutateAttributeForArray($key, $value)
{
return (in_array($key, $this->getAmountFields()))
? $value / $this->getAmountTimes($key)
: parent::mutateAttributeForArray($key, $value);
}
public function getAttributeValue($key)
{
$value = parent::getAttributeValue($key);
if (in_array($key, $this->getAmountFields())) {
$value = $value / $this->getAmountTimes($key);
}
return $value;
}
public function setAttribute($key, $value)
{
if (in_array($key, $this->getAmountFields())) {
$value = (int) round($value * $this->getAmountTimes($key));
}
parent::setAttribute($key, $value);
}
public function getAmountFields()
{
return (property_exists($this, 'amountFields')) ? $this->amountFields : [];
}
public function getAmountTimes($key)
{
$ret = 100;
if (property_exists($this, 'amountTimes')) {
if (is_array($this->amountTimes) && array_key_exists($key, $this->amountTimes)) {
$ret = $this->amountTimes[$key];
} elseif (is_numeric($this->amountTimes)) {
$ret = $this->amountTimes;
}
}
return $ret;
}
Laravel >= 5.2
composer require "hao-li/laravel-amount:dev-master"
use HaoLi\LaravelAmount\Traits\AmountTrait;
use AmountTrait;
protected $amountFields = ['amount'];
$amountTimes
指定金额字段的倍数(可选,默认 100)protected $amountTimes = 100;
protected $amountTimes = [
'amount' => 100,
]
之后读取 amount 字段时,该字段的内容会自动从数据库的分转换为元,向其赋值时反之从元转换为分。
以 setRawAttributes 为例(此为之前方案,目前并未覆写此方法,仅为举例,其他方法原理相同)
use AmountTrait, BTrait {
AmountTrait::setRawAttributes as amountTraitSetRawAttributes;
BTrait::setRawAttributes as BTraitSetRawAttributes;
}
public function setRawAttributes(array $attributes, $sync = false)
{
$this->BTraitSetRawAttributes($attributes, $sync);
$attributes = $this->getAttributes();
$this->amountTraitSetRawAttributes($attributes, $sync);
}
注意这里 $attributes 可能已被改变,所以再次使用时要重新取得最新值