Signed-off-by: “ysp” <“507758588@qq.com”>

This commit is contained in:
“ysp” 2024-07-16 16:49:21 +08:00
parent 7e5025e088
commit 413627159d
2925 changed files with 503086 additions and 0 deletions

Binary file not shown.

Before

Width:  |  Height:  |  Size: 146 KiB

2
serve/.env Normal file
View File

@ -0,0 +1,2 @@
APP_DEBUG = FALSE
APP_TRACE = FALSE

7
serve/.htaccess Normal file
View File

@ -0,0 +1,7 @@
<IfModule mod_rewrite.c>
Options +FollowSymlinks -Multiviews
RewriteEngine On
RewriteCond %{REQUEST_FILENAME} !-d
RewriteCond %{REQUEST_FILENAME} !-f
RewriteRule ^(.*)$ index.php?/$1 [QSA,PT,L]
</IfModule>

42
serve/.travis.yml Normal file
View File

@ -0,0 +1,42 @@
sudo: false
language: php
branches:
only:
- stable
cache:
directories:
- $HOME/.composer/cache
before_install:
- composer self-update
install:
- composer install --no-dev --no-interaction --ignore-platform-reqs
- zip -r --exclude='*.git*' --exclude='*.zip' --exclude='*.travis.yml' ThinkPHP_Core.zip .
- composer require --update-no-dev --no-interaction "topthink/think-image:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-migration:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-captcha:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-mongo:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-worker:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-helper:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-queue:^1.0"
- composer require --update-no-dev --no-interaction "topthink/think-angular:^1.0"
- composer require --dev --update-no-dev --no-interaction "topthink/think-testing:^1.0"
- zip -r --exclude='*.git*' --exclude='*.zip' --exclude='*.travis.yml' ThinkPHP_Full.zip .
script:
- php think unit
deploy:
provider: releases
api_key:
secure: TSF6bnl2JYN72UQOORAJYL+CqIryP2gHVKt6grfveQ7d9rleAEoxlq6PWxbvTI4jZ5nrPpUcBUpWIJHNgVcs+bzLFtyh5THaLqm39uCgBbrW7M8rI26L8sBh/6nsdtGgdeQrO/cLu31QoTzbwuz1WfAVoCdCkOSZeXyT/CclH99qV6RYyQYqaD2wpRjrhA5O4fSsEkiPVuk0GaOogFlrQHx+C+lHnf6pa1KxEoN1A0UxxVfGX6K4y5g4WQDO5zT4bLeubkWOXK0G51XSvACDOZVIyLdjApaOFTwamPcD3S1tfvuxRWWvsCD5ljFvb2kSmx5BIBNwN80MzuBmrGIC27XLGOxyMerwKxB6DskNUO9PflKHDPI61DRq0FTy1fv70SFMSiAtUv9aJRT41NQh9iJJ0vC8dl+xcxrWIjU1GG6+l/ZcRqVx9V1VuGQsLKndGhja7SQ+X1slHl76fRq223sMOql7MFCd0vvvxVQ2V39CcFKao/LB1aPH3VhODDEyxwx6aXoTznvC/QPepgWsHOWQzKj9ftsgDbsNiyFlXL4cu8DWUty6rQy8zT2b4O8b1xjcwSUCsy+auEjBamzQkMJFNlZAIUrukL/NbUhQU37TAbwsFyz7X0E/u/VMle/nBCNAzgkMwAUjiHM6FqrKKBRWFbPrSIixjfjkCnrMEPw=
file:
- ThinkPHP_Core.zip
- ThinkPHP_Full.zip
skip_cleanup: true
on:
tags: true

View File

@ -0,0 +1 @@
deny from all

View File

@ -0,0 +1,94 @@
<?php
declare (strict_types = 1);
namespace app;
use think\App;
use think\exception\ValidateException;
use think\Validate;
/**
* 控制器基础类
*/
abstract class BaseController
{
/**
* Request实例
* @var \think\Request
*/
protected $request;
/**
* 应用实例
* @var \think\App
*/
protected $app;
/**
* 是否批量验证
* @var bool
*/
protected $batchValidate = false;
/**
* 控制器中间件
* @var array
*/
protected $middleware = [];
/**
* 构造方法
* @access public
* @param App $app 应用对象
*/
public function __construct(App $app)
{
$this->app = $app;
$this->request = $this->app->request;
// 控制器初始化
$this->initialize();
}
// 初始化
protected function initialize()
{}
/**
* 验证数据
* @access protected
* @param array $data 数据
* @param string|array $validate 验证器名或者验证规则数组
* @param array $message 提示信息
* @param bool $batch 是否批量验证
* @return array|string|true
* @throws ValidateException
*/
protected function validate(array $data, $validate, array $message = [], bool $batch = false)
{
if (is_array($validate)) {
$v = new Validate();
$v->rule($validate);
} else {
if (strpos($validate, '.')) {
// 支持场景
list($validate, $scene) = explode('.', $validate);
}
$class = false !== strpos($validate, '\\') ? $validate : $this->app->parseClass('validate', $validate);
$v = new $class();
if (!empty($scene)) {
$v->scene($scene);
}
}
$v->message($message);
// 是否批量验证
if ($batch || $this->batchValidate) {
$v->batch(true);
}
return $v->failException(true)->check($data);
}
}

View File

@ -0,0 +1,58 @@
<?php
namespace app;
use think\db\exception\DataNotFoundException;
use think\db\exception\ModelNotFoundException;
use think\exception\Handle;
use think\exception\HttpException;
use think\exception\HttpResponseException;
use think\exception\ValidateException;
use think\Response;
use Throwable;
/**
* 应用异常处理类
*/
class ExceptionHandle extends Handle
{
/**
* 不需要记录信息(日志)的异常类列表
* @var array
*/
protected $ignoreReport = [
HttpException::class,
HttpResponseException::class,
ModelNotFoundException::class,
DataNotFoundException::class,
ValidateException::class,
];
/**
* 记录异常信息(包括日志或者其它方式记录)
*
* @access public
* @param Throwable $exception
* @return void
*/
public function report(Throwable $exception): void
{
// 使用内置的方式记录异常日志
parent::report($exception);
}
/**
* Render an exception into an HTTP response.
*
* @access public
* @param \think\Request $request
* @param Throwable $e
* @return Response
*/
public function render($request, Throwable $e): Response
{
// 添加自定义异常处理机制
// 其他错误交给系统处理
return parent::render($request, $e);
}
}

8
serve/app/Request.php Normal file
View File

@ -0,0 +1,8 @@
<?php
namespace app;
// 应用请求对象类
class Request extends \think\Request
{
}

996
serve/app/common.php Normal file
View File

@ -0,0 +1,996 @@
<?php
//产生随机令牌
function token(){
$token='';
$n='qwertyuioplkjhgfdsazxcvbnm1234567890QWERTYUIOPASDFGHJKLZXCVBNM';
for ($i=0;$i<32;$i++){
$token.=$n[mt_rand(0,strlen($n)-1)];
}
return $token;
}
//获取访问凭证
function getToken(){
$header=request()->header('token');
$parm=input('get.token');
if(empty($header) && empty($parm)){
$token='';
}else if(!empty($header)){
$token=$header;
}else{
$token=$parm;
}
return $token;
}
//获取登陆状态
function checkLogin() {
$token=getToken();
$cache=cache($token);
if($cache==null){
return false;
}else{
//重置缓存有效期
cacheReset($token);
return true;
}
}
//重置缓存有效期
function cacheReset($key){
$config=config();
if($config['cache']['default']=='file'){
//文件缓存
$file=cache()->getCacheKey($key);
touch($file);
}
return true;
}
//获取当前用户ID
function getUserID(){
$cache=cache(getToken());
if(empty($cache)){
die('[ ERROR ] 获取用户失败!');
}else{
return $cache['user'];
}
}
//判断字段存在且不为空
function existFull($arr,$keys){
$state=true;
foreach ($keys as $key) {
if(!isset($arr[$key]) || empty($arr[$key]) || $arr[$key] === 'null'){
$state=false;
break;
}
}
return $state;
}
//扩展数据验证
function verify($data,$rule,$info=false){
$validate = \think\facade\Validate::rule($rule);
if($validate->check($data)){
return true;
}else{
return $info?$validate->getError():false;
}
}
//汉字转拼音
//$type[head:首字母|all:全拼音]
function zhToPy($text,$type='head'){
$nod=new \org\ZhToPy();
$result=$nod::encode($text,$type);
return strtolower($result);//返回结果转小写
}
//寻找数组多层键名
//$source:键名数组 OR "键名1|键名2"
//如查找过程键名不存在返回空
function arraySeek($array,$source){
$recode=$array;
is_array($source)||($source=explode('|',$source));
foreach ($source as $sourceVo) {
if(is_array($recode) && isset($recode[$sourceVo])){
$recode=$recode[$sourceVo];
}else{
$recode='';
break;
}
}
return $recode;
}
//数组搜索
function search($arr){
$search=new \org\Search($arr);
return $search;
}
//判断是否JSON数据
function isJson($string) {
json_decode($string);
return(json_last_error()==JSON_ERROR_NONE);
}
//返回数据子元素递归数据
function findSubData($arr,$id){
$data=[];
$search=search($arr,[['pid','=',$id]])->select();
foreach ($search as $searchVo) {
$subSearch=search($arr,[['pid','=',$searchVo['id']]])->select();
$data[]=$searchVo;
if(!empty($subSearch)){
$data=array_merge($data,findSubData($arr,$searchVo['id']));//合并数据
}
}
return $data;
}
//过滤XSS
function htmlpurifier($html) {
$config = HTMLPurifier_Config::createDefault();
$config->set('CSS.AllowTricky', true);
$purifier = new \HTMLPurifier($config);
$clean_html = $purifier->purify($html);
return $clean_html;
}
//获取xlsx文件数据
function getXlsx($file){
$reader = \PhpOffice\PhpSpreadsheet\IOFactory::createReader('Xlsx')->setReadDataOnly(TRUE)->load($file)->getSheet(0)->toArray (null,false,false,true);
//NULL转空白字符|拦截XSS
array_walk_recursive($reader,function(&$vo){$vo=$vo===null?'':htmlpurifier($vo);});
return $reader;
}
//路径转换
//$path='skin.upload.xlsx'
function pathChange($path=false){
return $path==false?root_path():root_path().str_replace(".",DIRECTORY_SEPARATOR,$path).DIRECTORY_SEPARATOR;
}
//删除过期文件
//$path='skin.upload.xlsx'
//默认过期时间30秒
function delOverdueFile($path,$time=30){
clearstatcache();//清除文件状态缓存
$path=pathChange($path);//路径转换
$files=scandir($path);//获取文件目录
$nowTime=time();//当前时间
foreach ($files as $key=>$vo){
if(substr($vo,0,1)!='.'){
$filePath=$path.$vo;//文件路径
if ($nowTime-filectime($filePath)>$time){
@unlink($filePath);
}
}
}
}
//删除目录|递归删除
function delDir($path){
$path=pathChange($path);
if(file_exists($path)){
$list=listFile($path);
//删除过期缓存
foreach ($list['files'] as $file) {
@unlink($file);
}
//删除空目录
foreach ($list['dirs'] as $dir) {
@rmdir($dir);
}
}
}
//删除目录|递归删除
function delCache(){
$cache=pathChange('runtime.cache');
if(file_exists($cache)){
$list=listFile($cache);
//删除过期缓存
foreach ($list['files'] as $file) {
$content = @file_get_contents($file);
if($content!==false){
$expire = (int)substr($content, 8, 12);
if ($expire!=0 && time() - $expire > filemtime($file)){
@unlink($file);
}
}
}
//删除空目录
foreach ($list['dirs'] as $dir) {
@rmdir($dir);
}
}
}
//计算多维数组最多数组数量
function calArrMaxCount($arr,$max=0){
//对多维数组进行循环
foreach ($arr as $vo) {
if(is_array($vo)){
$count=count($vo);
//判断是否多维数组
if ($count==count($vo,1)) {
$count > $max&&($max=$count);
}else{
$max=CalArrMaxCount($vo,$max);
}
}
}
return $max;
}
//生成EXCEL
function buildExcel($fileName,$data,$down=true){
$spreadsheet = new \PhpOffice\PhpSpreadsheet\Spreadsheet();
$cellName=['A','B','C','D','E','F','G','H','I','J','K','L','M','N','O','P','Q','R','S','T','U','V','W','X','Y','Z','AA','AB','AC','AD','AE','AF','AG','AH','AI','AJ','AK','AL','AM','AN','AO','AP','AQ','AR','AS','AT','AU','AV','AW','AX','AY','AZ'];//列标识
$shell=$spreadsheet->getActiveSheet(0);//工作簿
$shell->setTitle('NODCLOUD.COM');//工作簿名称
$shell->getDefaultColumnDimension()->setWidth(20);//设置默认行宽
$shell->getDefaultRowDimension()->setRowHeight(16);//设置默认行高
//循环加入数据
$rowNums=1;//初始化行数
$maxCell=calArrMaxCount($data);//获取多维数组最多数组数量
//循环增加数据
foreach ($data as $dataVo) {
//判断数据类型
if($dataVo['type']=='title'){
//标题行
$cellNums=0;//初始化列数
$shell->mergeCells($cellName[$cellNums].$rowNums.':'.$cellName[$maxCell-1].$rowNums);//合并单元格
$shell->setCellValue($cellName[$cellNums].$rowNums,$dataVo['info'])->getStyle ($cellName[$cellNums].$rowNums)->applyFromArray ([
'font'=>['bold'=>true,'size'=>12],
'alignment'=>['horizontal'=>\PhpOffice\PhpSpreadsheet\Style\Alignment::HORIZONTAL_CENTER]
]);//设置内容|居中|粗体|12号
$shell->getRowDimension($rowNums)->setRowHeight(26);//设置行高
$rowNums++;//自增行数
}elseif($dataVo['type']=='node'){
//节点行
$cellNums=0;//初始化列数
$shell->getStyle($cellName[$cellNums].$rowNums.':'.$cellName[$maxCell-1].$rowNums)->getFill()->setFillType(\PhpOffice\PhpSpreadsheet\Style\Fill::FILL_SOLID)->getStartColor()->setRGB('e7e6e6');//设置背景颜色
foreach ($dataVo['info'] as $data_info) {
$shell->setCellValue ($cellName[$cellNums].$rowNums,$data_info);
$cellNums++;//自增列数
}
$shell->getRowDimension($rowNums)->setRowHeight(16);//设置行高
$rowNums++;//自增行数
}elseif($dataVo['type']=='table'){
//表格数据
//处理表头数据
$cellNums=0;//初始化列数
foreach ($dataVo['info']['thead'] as $theadVo) {
$shell->setCellValue($cellName[$cellNums].$rowNums,$theadVo)->getStyle($cellName[$cellNums].$rowNums)->applyFromArray ([
'font'=>['bold'=>true],
'alignment'=>['horizontal'=>\PhpOffice\PhpSpreadsheet\Style\Alignment::HORIZONTAL_CENTER]
]);//设置内容|居中|粗体;
$cellNums++;//自增列数
}
$shell->getRowDimension($rowNums)->setRowHeight(16);//设置标题行高
$rowNums++;//自增行数
//处理表格数据
foreach ($dataVo['info']['tbody'] as $tbodyVo) {
$cellNums=0;//初始化列数
$RowHeight=16;
foreach ($tbodyVo as $tbodyVal) {
if(is_array($tbodyVal)){
if($tbodyVal['type']=='img'){
//图像
$drawing=new \PhpOffice\PhpSpreadsheet\Worksheet\Drawing();
$drawing->setPath($tbodyVal['info']);//设置图像路径
$drawing->setOffsetX(22);//设置X偏移距离
$drawing->setOffsetY(3);//设置Y偏移距离
$drawing->setWidth(100);//设置图像宽度
$drawing->setCoordinates($cellName[$cellNums].$rowNums)->setWorksheet($shell);//设置内容
$imgInfo=getimagesize($tbodyVal['info']);//读取图像信息
$ImgHeight=($imgInfo[1]/($imgInfo[0]/100))*0.75;//计算行高|按照宽度缩放比例缩放
$RowHeight=$ImgHeight+4.5;//增加Y偏移1.5倍关系
}
}else{
$shell->setCellValueExplicit($cellName[$cellNums].$rowNums,$tbodyVal,\PhpOffice\PhpSpreadsheet\Cell\DataType::TYPE_STRING);//设置内容并指定文本格式
$shell->getStyle($cellName[$cellNums].$rowNums)->getAlignment()->setWrapText(true);//设置多行文本
}
$cellNums++;//自增列数
}
$shell->getRowDimension($rowNums)->setRowHeight($RowHeight);//设置数据行高
$rowNums++;//自增行数
}
}
}
//设置边框
$shell->getStyle('A1:'.$cellName[$maxCell-1].($rowNums-1))->applyFromArray (['borders'=>['allBorders'=>['borderStyle'=>\PhpOffice\PhpSpreadsheet\Style\Border::BORDER_THIN]],'alignment'=>['vertical'=>\PhpOffice\PhpSpreadsheet\Style\Alignment::VERTICAL_CENTER]]);
//输出文件
ob_get_contents()&&(ob_end_clean());//清除缓冲区,避免乱码
$writer=\PhpOffice\PhpSpreadsheet\IOFactory::createWriter($spreadsheet,'Xlsx');
if($down){
header('Content-type:application/vnd.ms-excel');
header("Content-Disposition:attachment;filename=$fileName.xlsx");
$writer->save('php://output');
exit;
}else{
delOverdueFile('static.file.xlsx');//删除过期文件
$filePath=pathChange('static.file.xlsx').$fileName.'.xlsx';
$writer->save($filePath);
return $filePath;
}
}
//生成压缩文件
function buildZip($fileName,$files,$down=true){
delOverdueFile('static.file.zip');//删除过期文件
empty($files)&&(die('[ 文件数据为空 ]'));//空数据检验
$filePath=pathChange('static.file.zip').$fileName.'.zip';
$zip=new ZipArchive();
if ($zip->open($filePath,ZIPARCHIVE::CREATE)!==TRUE) {
exit('创建压缩文件失败!');
}
foreach ($files as $file) {
$zip->addFile($file,basename($file));
}
$zip->close();
if($down){
header("Cache-Control: max-age=0");
header("Content-Description: File Transfer");
header('Content-disposition: attachment; filename='.basename($filePath)); //文件名
header("Content-Type: application/zip"); //zip格式的
header("Content-Transfer-Encoding: binary"); //告诉浏览器,这是二进制文件
header('Content-Length: '.filesize($filePath)); //告诉浏览器,文件大小
@readfile($filePath);//输出文件;
exit;
}else{
return $filePath;
}
}
//curl请求
function curl($url,$header,$data,$method='POST'){
$ch=curl_init();
if($method == 'GET'){
$url = $url.'?'.http_build_query($data);
}
if($method == 'POST'){
curl_setopt($ch, CURLOPT_POST,TRUE);
curl_setopt($ch, CURLOPT_POSTFIELDS,$data);
}
curl_setopt($ch, CURLOPT_URL,$url);
curl_setopt($ch,CURLOPT_SSL_VERIFYHOST,FALSE);
curl_setopt($ch,CURLOPT_SSL_VERIFYPEER,FALSE);
curl_setopt($ch,CURLOPT_HEADER,FALSE);
if($header!=false){
curl_setopt($ch,CURLOPT_HTTPHEADER,$header);
}
curl_setopt($ch, CURLOPT_RETURNTRANSFER,TRUE);
$result=curl_exec($ch);
curl_close($ch);
return $result;
}
//获取文件夹大小
function getDirSize($dir){
static $sizeResult = 0;
$handle = opendir($dir);
while (false!==($FolderOrFile = readdir($handle))) {
if($FolderOrFile != "." && $FolderOrFile != "..") {
if(is_dir("$dir/$FolderOrFile")){
$sizeResult += getDirSize("$dir/$FolderOrFile");
}else{
$sizeResult += filesize("$dir/$FolderOrFile");
}
}
}
closedir($handle);
return round(($sizeResult/1048576),2);
}
//获取数据库大小
function getMysqlSize(){
$dbInfo=config('database.connections.mysql');
$tabs = think\facade\Db::query("SHOW TABLE STATUS FROM `".$dbInfo['database']."`");
$size = 0;
foreach($tabs as $vo) {
$size += $vo["Data_length"] + $vo["Index_length"];
}
//转换为M
return round(($size/1048576),2);
}
//生成条形码
//$type[true:直接输出|false:保存文件]
function txm($text,$type=true){
delOverdueFile('static.code.txm');//删除过期文件
$font = new BarcodeBakery\Common\BCGFontFile(pathChange('static.code.font').'Arial.ttf', 18);
$colorFront = new BarcodeBakery\Common\BCGColor(0, 0, 0);
$colorBack = new BarcodeBakery\Common\BCGColor(255, 255, 255);
$code = new BarcodeBakery\Barcode\BCGcode128();
$code->setScale(2);
$code->setThickness(30);
$code->setForegroundColor($colorFront);
$code->setBackgroundColor($colorBack);
$code->setFont($font);
$code->setStart(null);
$code->setTilde(true);
$code->parse($text);
if ($type){
header('Content-Type: image/png');
$drawing = new BarcodeBakery\Common\BCGDrawing('',$colorBack);
$drawing->setBarcode($code);
$drawing->draw();
$drawing->finish(BarcodeBakery\Common\BCGDrawing::IMG_FORMAT_PNG);
exit;
}else {
$filePath=pathChange('static.code.txm').uniqid().'.png';
$drawing = new BarcodeBakery\Common\BCGDrawing($filePath, $colorBack);
$drawing->setBarcode($code);
$drawing->draw();
$drawing->finish(BarcodeBakery\Common\BCGDrawing::IMG_FORMAT_PNG);
return $filePath;
}
}
//生成二维码
//$type[true:直接输出|false:返回文件地址]
function ewm($text,$type=true){
delOverdueFile('static.code.ewm');//删除过期文件
$qrCode = new Endroid\QrCode\QrCode($text);
if($type){
header('Content-Type: '.$qrCode->getContentType());
echo $qrCode->writeString();
exit;
}else{
$filePath=pathChange('static.code.ewm').uniqid().'.png';
$qrCode->writeFile($filePath);
return $filePath;
}
}
//高精度运算
function math($digit=6){
$math=new \org\Math($digit);
return $math;
}
//数组求和
function mathArraySum($arr){
$sum=0;
foreach ($arr as $vo) {
$sum=math()->chain($sum)->add($vo)->done();
}
return $sum;
}
//四舍五入处理位数
function roundFloat($number,$digit){
return floatval(round($number,$digit));
}
//MD5|16位
function md5_16($str){
return substr(md5($str),8,16);
}
//计算分页
function PageCalc($page,$limit,$type='array'){
$state=$limit*($page-1);
$end=$limit;
return $type=='array'?[$state,$end]:$state.','.$end;
}
//二维数组指定字段去重
function assoc_unique($arr,$key){
$record=[];
foreach($arr as $k => $v) {
if(in_array($v[$key],$record)){
unset($arr[$k]);
}else{
$record[]=$v[$key];
}
}
sort($arr);
return $arr;
}
//数据排序
function arraySort(&$arr,$field,$sort=SORT_ASC){
$fields = [];
foreach ($arr as $vo) {
$fields[] = $vo[$field];
}
array_multisort($fields,$sort,$arr);
}
//数组包含数组
function arrayInArray($arr1,$arr2){
foreach ($arr1 as $vo) {
if(!in_array($vo,$arr2)){
return false;
}
}
return true;
}
//多重提取数组列
function arrayColumns($arr,$fields){
foreach ($fields as $field) {
$arr=array_column($arr,$field);
}
return $arr;
}
//获取路径的文件夹和文件
function listFile($path,$state=true){
static $record=['dirs'=>[],'files'=>[]];
$state&&$record=['dirs'=>[],'files'=>[]];
foreach (new \FilesystemIterator($path) as $item) {
if ($item->isDir() && !$item->isLink()) {
$record['dirs'][]=$item->getPathname();
listFile($item->getPathname(),false);
} else {
$record['files'][]=$item->getPathname();
}
}
return $record;
}
//判断数组中指定键是否为数组
function is_arrays($arr,$fields){
foreach ($fields as $field) {
if(!isset($arr[$field]) || !is_array($arr[$field])){
return false;
}
}
return true;
}
//获取指定天数
function getOldDay($day=7){
$time=strtotime(date('Y-m-d',time()));//获取今天开始时间戳
$tmp_time_arr=[];
for ($i = 0; $i < $day; $i++) {
array_push($tmp_time_arr,date('Y-m-d',$time-($i*86400)));
}
return array_reverse($tmp_time_arr);//返回反转的数组
}
function uuid($prefix=''){
$chars = md5(uniqid(mt_rand(), true));
$uuid = substr($chars,0,8) . '-';
$uuid .= substr($chars,8,4) . '-';
$uuid .= substr($chars,12,4) . '-';
$uuid .= substr($chars,16,4) . '-';
$uuid .= substr($chars,20,12);
return $prefix . $uuid;
}
//[---------- 数据相关函数 ----------]
//DB助手函数
function db($model){
return think\facade\Db::name($model);
}
//获取系统配置
//传入数组分类返回|传入字符返回内容
function getSys($name = []) {
if(empty($name)){
$sql=[];
}else{
$sql=is_array($name)?[['name','in',$name]]:[['name','=',$name]];
}
$sys = db('sys')->where($sql)->field(['name','info'])->select()->toArray();
//数据二次处理|JSON对象转换
foreach ($sys as $sysKey => $sysVo) {
isJson($sysVo['info']) && ($sys[$sysKey]['info'] = json_decode($sysVo['info'],true));
}
if (empty($sys)) {
$result = false;
} else {
if(is_array($name)){
//分类返回
$result = [];
foreach ($sys as $sysVo) {
$result[$sysVo['name']] = $sysVo['info'];
}
}else{
//返回内容
$result = $sys[0]['info'];
}
}
return $result;
}
//写入日志
function pushLog($info,$user=false) {
db('log')->insert([
'time' => time(),
'user' => empty($user)?getUserID():$user,
'info' => $info
]);
}
//获取结账日期
function getPeriod(){
$row=db('period')->order(['id'=>'desc'])->find();
return empty($row)?0:$row['date'];
}
//快捷获取SQL
//$arr:数组数据|$config:配置项
//['field','Eq']|[['field','a|b|c'],'eq']
//eq:等同查询|fullEq:不为空等于数据|noNullEq:不为NULL等同数据|fullDec1:不为空内容减1|fullTime:不为空转时间戳
//md5:MD5加密|like:包含查询|fullLike:不为空包含查询
//fullIn:不为空包含查询(传入数组)|fullDivisionIn:不为空分割集合包含查询
//startTime和endTime:扩展时间字段查询
function fastSql($arr,$config) {
$sql = [];
foreach ($config as $item){
$key=is_array($item[0])?key($item[0]):$item[0];
$field=is_array($item[0])?$item[0][key($item[0])]:$item[0];
if(array_key_exists($key,$arr)){
$val=$arr[$key];
$val==='null'&&($val=null);
$condition=$item[1];
//判断条件
if ($condition == 'eq') {
//等同查询
$sql[] = [$field,'=',$val];
} elseif ($condition == 'fullEq') {
//不为空等于数据
empty($val) || ($sql[] = [$field,'=',$val]);
} elseif ($condition == 'noNullEq') {
//不为NULL等于数据
$val===null || ($sql[] = [$field,'=',$val]);
} elseif ($condition == 'fullDec1') {
//不为空内容减1
empty($val) || ($sql[] = [$field,'=',$val-1]);
} else if ($condition == 'md5') {
//md5加密
$sql[] = [$field,'=',md5($val)];
} elseif ($condition == 'like') {
//包含查询
$sql[] = [$field,'like','%'.$val.'%'];
} elseif ($condition == 'fullLike') {
//不为空包含查询
empty($val) || ($sql[] = [$field,'like','%'.$val.'%']);
}elseif ($condition == 'fullTime') {
//不为空转时间戳
empty($val) || ($sql[] = [$field,'=',strtotime($val)]);
}elseif ($condition == 'fullIn') {
//不为空包含查询
empty($val) || ($sql[] = [$field,'in',$val]);
} elseif ($condition == 'fullDivisionIn') {
//不为空分割集合查询
empty($val) || ($sql[] = [$field,'in',explode(",",$val)]);
} elseif ($condition == 'startTime') {
//开始时间
$start=strtotime($val);
empty($start)||($sql[] = [$field,'>=',$start]);
} elseif ($condition == 'endTime') {
//结束时间
$end=strtotime($val);
empty($end)||($sql[] = [$field,'<=',$end+86399]);
}else{
die('[ ERROR ]未匹配条件!');
}
}
}
return array_unique($sql,SORT_REGULAR);
}
//递归获取指定ID树状数组结构
function findTreeArr($mode,$data,$field = false) {
$tree = [];
//判断是否初次执行
if (!is_array($data)) {
$first = db($mode)->where([['id','=',$data]])->find();
//查询首次数据
$tree[] = $first;
//加入首次数据
$data = [$first];
//修正数据数组类型
}
$gather = array_column($data,'id');
//获取集合数据
$arr = db($mode)->where([['pid','in',$gather]])->select()->toArray();
//查询子数据
if (!empty($arr)) {
$tree = array_merge($tree,$arr,findTreeArr($mode,$arr));
//合并数据
}
return $field == false?$tree:array_column($tree,$field);
}
//多表多条件find查询
//$arr[['table'=>'plug','where'=>[['only','=',1]]]]
function moreTableFind($arr) {
$result = false;
//默认未找到
foreach ($arr as $vo) {
$find = db($vo['table'])->where($vo['where'])->find();
if (!empty($find)) {
$result = true;
//找到数据
break;
}
}
return $result;
}
//SQL条件转换|数组条件转索引数组
function parmToIndex($parm){
$sql=[];
foreach ($parm as $parmKey=>$parmVo) {
$sql[]=[$parmKey,'=',$parmVo];
}
return $sql;
}
//多单位分析|转换基数
function unitRadix($unit,$data){
$radix=1;
$state=false;
array_unshift($data,['name'=>$data[0]['source'],'nums'=>1]);
$data=array_reverse($data);
foreach ($data as $dataVo) {
if($state || $dataVo['name']==$unit){
$state=true;
$radix=math()->chain($radix)->mul($dataVo['nums'])->done();
}
}
if($state){
return $radix;
}else{
return false;
}
}
//多单位分析|单位转换
function unitSwitch($nums,$data){
//1 构造数据
$record=[];
foreach ($data as $dataVo) {
if(abs($nums)<$dataVo['nums']){
//1.1 小于归零
$record[]=['name'=>$dataVo['source'],'nums'=>$nums];
$nums=0;
}else{
//1.2 取余
$mod=math()->chain($nums)->mod($dataVo['nums'])->done();
$record[]=['name'=>$dataVo['source'],'nums'=>abs($mod)];
//1.3 递减数量
$nums=math()->chain($nums)->sub($mod)->div($dataVo['nums'])->done();
}
}
//2 追加数据
$end=end($data);
$record[]=['name'=>$end['name'],'nums'=>$nums];
//3 结构数据
$text='';
foreach (array_reverse($record) as $recordVo) {
if(!empty($recordVo['nums'])){
$text.=$recordVo['nums'].$recordVo['name'];
}
}
$text==''&&$text=0;
return $text;
}
//获取用户信息
function userInfo($id,$field = false) {
$user = db('user')->where([['id','=',$id]])->find();
return $field == false?$user:$user[$field];
}
//获取授权数据范围
function getUserAuth($type){
$user=userInfo(getUserID());
if($user['role']==0){
$result='all';
}else{
$role=db('role')->where([['id','=',$user['role']]])->find();
$auth=json_decode($role['auth'],true);
if($type=='frame'){
if(count($auth['frame'])==1 && $auth['frame'][0]==-2){
$result='all';
}else if(count($auth['frame'])==1 && $auth['frame'][0]==-1){
$result=[$user['frame']];
}else{
$result=$auth['frame'];
}
}elseif($type=='customer'){
if($auth['customer']=='all'){
$result='all';
}else if($auth['customer']=='userId'){
$user=getUserAuth('user');
if($user=='all'){
$result='all';
}else{
$result=array_column(db('customer')->where([['user','in',$user]])->field(['id'])->select()->toArray(),'id');
}
}else{
$frame=getUserAuth('frame');
if($frame=='all'){
$result='all';
}else{
$result=array_column(db('customer')->where([['frame','in',$frame]])->field(['id'])->select()->toArray(),'id');
}
}
}elseif($type=='supplier'){
if($auth['supplier']=='all'){
$result='all';
}else if($auth['supplier']=='userId'){
$user=getUserAuth('user');
if($user=='all'){
$result='all';
}else{
$result=array_column(db('supplier')->where([['user','in',$user]])->field(['id'])->select()->toArray(),'id');
}
}else{
$frame=getUserAuth('frame');
if($frame=='all'){
$result='all';
}else{
$result=array_column(db('supplier')->where([['frame','in',$frame]])->field(['id'])->select()->toArray(),'id');
}
}
}elseif($type=='warehouse'){
if($auth['warehouse']=='all'){
$result='all';
}else if($auth['warehouse']=='userFrame'){
$result=[$user['frame']];
}else{
$frame=getUserAuth('frame');
if($frame=='all'){
$result='all';
}else{
$result=array_column(db('warehouse')->where([['frame','in',$frame]])->field(['id'])->select()->toArray(),'id');
}
}
}elseif($type=='account'){
if($auth['account']=='all'){
$result='all';
}else if($auth['account']=='userFrame'){
$result=[$user['frame']];
}else{
$frame=getUserAuth('frame');
if($frame=='all'){
$result='all';
}else{
$result=array_column(db('account')->where([['frame','in',$frame]])->field(['id'])->select()->toArray(),'id');
}
}
}elseif($type=='user'){
if($auth['user']=='all'){
$result='all';
}else if($auth['user']=='userId'){
$result=[getUserID()];
}else{
$frame=getUserAuth('frame');
if($frame=='all'){
$result='all';
}else{
$result=array_column(db('user')->where([['frame','in',$frame]])->field(['id'])->select()->toArray(),'id');
}
}
}elseif($type=='people'){
if($auth['people']=='all'){
$result='all';
}else if($auth['people']=='userFrame'){
$result=[$user['frame']];
}else{
$frame=getUserAuth('frame');
if($frame=='all'){
$result='all';
}else{
$result=array_column(db('people')->where([['frame','in',$frame]])->field(['id'])->select()->toArray(),'id');
}
}
}else{
$result = false;
}
}
return $result;
}
//组织数据范围
function frameScope($sql,$field='frame'){
$cache=cache(getToken());
if(empty($cache['frame'])){
$frame=getUserAuth('frame');
if($frame!='all'){
$sql[]=[$field,'in',$frame];
}
}else{
$sql[]=[$field,'in',$cache['frame']];
}
return $sql;
}
//SQL数据鉴权
function sqlAuth($model,$sql=[]){
$tab=[
'user'=>['id'=>'user','frame'=>'frame'],
'log'=>['user'=>'user'],
'customer'=>['id'=>'customer','frame'=>'frame','user'=>'user'],
'supplier'=>['id'=>'supplier','frame'=>'frame','user'=>'user'],
'warehouse'=>['id'=>'warehouse','frame'=>'frame'],
'account'=>['id'=>'account','frame'=>'frame'],
'people'=>['frame'=>'frame'],
'bor'=>['frame'=>'frame','supplier'=>'supplier','people'=>'people','user'=>'user'],
'buy'=>['frame'=>'frame','supplier'=>'supplier','people'=>'people','user'=>'user'],
'bre'=>['frame'=>'frame','supplier'=>'supplier','people'=>'people','user'=>'user'],
'sor'=>['frame'=>'frame','customer'=>'customer','people'=>'people','user'=>'user'],
'sell'=>['frame'=>'frame','customer'=>'customer','people'=>'people','user'=>'user'],
'sre'=>['frame'=>'frame','customer'=>'customer','people'=>'people','user'=>'user'],
'swap'=>['frame'=>'frame','people'=>'people','user'=>'user'],
'entry'=>['frame'=>'frame','people'=>'people','user'=>'user'],
'extry'=>['frame'=>'frame','people'=>'people','user'=>'user'],
'imy'=>['frame'=>'frame','customer'=>'customer','people'=>'people','user'=>'user'],
'omy'=>['frame'=>'frame','supplier'=>'supplier','people'=>'people','user'=>'user'],
'bill'=>['frame'=>'frame','people'=>'people','user'=>'user'],
'allot'=>['frame'=>'frame','people'=>'people','user'=>'user'],
'ice'=>['frame'=>'frame','customer'=>'customer','people'=>'people','user'=>'user'],
'oce'=>['frame'=>'frame','supplier'=>'supplier','people'=>'people','user'=>'user'],
'summary'=>['warehouse'=>'warehouse'],
'room'=>['warehouse'=>'warehouse'],
'batch'=>['warehouse'=>'warehouse'],
'period'=>['user'=>'user']
];
//扩展数据
$extend=[
'entry'=>['customer'=>[0]],
'extry'=>['supplier'=>[0]],
'ice'=>['customer'=>[0]],
'oce'=>['supplier'=>[0]]
];
$user = userInfo(getUserID());
//排除管理员
if($user['role']!=0){
$role=db('role')->where([['id','=',$user['role']]])->find();
$auth=json_decode($role['auth'],true);
foreach ($tab[$model] as $tabKey => $tabVo) {
//排除存在SQL键名
if(!in_array($tabKey,array_column($sql,0))){
$auth=getUserAuth($tabVo);
if($auth!='all'){
//填入扩展
isset($extend[$model][$tabKey])&&$auth=array_merge($auth,$extend[$model][$tabKey]);
//赋值语句
$sql[] = [$tabKey,'in',$auth];
}
}
}
}
return $sql;
}
//获取扩展字段配置
function getFields() {
$data=[];
$field = db('field')->select()->toArray();
foreach ($field as $fieldVo) {
$data[$fieldVo['key']] = json_decode($fieldVo['fields'],true);
}
return $data;
}
//获取用户权限数据
function getUserRoot() {
$user=userInfo(getUserID());
if ($user['role'] == 0) {
return 'all';
} else {
$role = db('role')->where([['id','=',$user['role']]])->find();
$root = json_decode($role['root'],true);
//初始化权限数据
foreach ($root as $rootVo) {
$data[$rootVo['module']] = $rootVo['data'];
}
return $data;
}
}
//获取组织零售单配置
function getFrameDeploy(){
$userFrame=userInfo(getUserID(),'frame');
$frame=db('frame')->where([['id','=',$userFrame]])->find();
$deploy=db('deploy')->where([['frame','=',$frame['id']]])->find();
while ($frame['pid']!=-1 && empty($deploy)){
$frame=db('frame')->where([['id','=',$frame['pid']]])->find();
$deploy=db('deploy')->where([['frame','=',$frame['id']]])->find();
}
return empty($deploy)?null:json_decode($deploy['source'],true);
}
//获用户权限菜单数据
function getRootMemu() {
$root = getUserRoot();
if ($root == 'all') {
$menu= db('menu')->order('sort asc')->select()->toArray();
} else {
$menu = db('menu')->where([['root','<>','admin'],['id','>',0]])->order('sort asc')->select()->toArray();
//1.做数据标识
foreach ($menu as $menuKey=>$menuVo) {
$voRoot=explode('|',$menuVo['root']);
//[权限为空|常规上级菜单|权限存在且为真]
$menu[$menuKey]['check']=(empty($menuVo['root']) || $menuVo['resource']=='#group' || (isset($root[$voRoot[0]][count($voRoot)==1?'see':$voRoot[1]])&&$root[$voRoot[0]][count($voRoot)==1?'see':$voRoot[1]]=='true'))?1:0;
}
//2.处理附属菜单
foreach (search($menu)->where([['type','=',1],['check','=',1]])->select() as $menuVo) {
$pidData=search($menu)->where([['id','=',$menuVo['pid']],['check','=',false]],true)->find();
empty($pidData)||$menu[$pidData['rowKey']]['check']=-1;
}
//3.保留可访问菜单数据
$menu=search($menu)->where([['check','in',[1,-1]]])->select();
//4.处理空集菜单
$group=search($menu)->where([['resource','=','#group']],true)->select();
foreach ($group as $menuVo) {
$tree = new \org\Tree();
$v=$tree::vTree($menu,$menuVo['id']);
if(empty($v)){
unset($menu[$menuVo['rowKey']]);
}else{
$find=search($v)->where([['resource','<>','#group']])->find();
if(empty($find)){
unset($menu[$menuVo['rowKey']]);
}
}
}
}
return $menu;
}

View File

@ -0,0 +1,118 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Account as Accounts;
use think\facade\Db;
use think\exception\ValidateException;
class Account extends Acl {
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['name','fullLike'],
['number','fullLike'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('account',$sql);//数据鉴权
$count = Accounts::where($sql)->count();//获取总条数
$info = Accounts::with(['frameData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//构造|验证
try {
//排除balance字段|防止更新账户余额
unset($input['balance']);
empty($input['id'])?$this->validate($input,'app\validate\Account'):$this->validate($input,'app\validate\Account.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Accounts::create($input);
pushLog('新增资金账户[ '.$input['name'].' ]');//日志
}else{
//更新数据
Accounts::update($input);
pushLog('更新资金账户[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$info=Accounts::where([['id','=',$input['id']]])->find();
$result=['state'=>'success','info'=>$info];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
//关联判断
$exist=moreTableFind([
['table'=>'sell','where'=>[['account','=',$input['id']]]],
['table'=>'sre','where'=>[['account','=',$input['id']]]],
['table'=>'buy','where'=>[['account','=',$input['id']]]],
['table'=>'bre','where'=>[['account','=',$input['id']]]],
['table'=>'ice','where'=>[['account','=',$input['id']]]],
['table'=>'oce','where'=>[['account','=',$input['id']]]],
['table'=>'allot_info','where'=>[['account|tat','=',$input['id']]]],
['table'=>'deploy','where'=>[['source','like','%"account":'.$input['id'].'%']]]
]);
if(empty($exist)){
//逻辑处理
$find=Db::name('account')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('account')->where([['id','=',$input['id']]])->delete();
Db::name('account_info')->where([['pid','=',$input['id']]])->delete();
pushLog('删除资金账户[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,11 @@
<?php
namespace app\controller;
use app\BaseController;
class Acl extends BaseController{
//访问控制
public function initialize() {
if(!checkLogin()){
exit(json(['state'=>'error','info'=>'访问由于凭证无效被拒绝!'],401)->send());
}
}
}

View File

@ -0,0 +1,129 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Deploy;
use Alipay\EasySDK\Kernel\Config;
use Alipay\EasySDK\Kernel\Factory;
class Ali extends Acl {
//阿里支付
//当面付
public function pay() {
$input=input('post.');
if(existFull($input,['number','money','code'])){
//读取配置
$deploy=getFrameDeploy();
if(!empty($deploy)){
//配置数据
$config=new Config;
$config->protocol = 'https';
$config->gatewayHost = 'openapi.alipay.com';
$config->appId = $deploy['ali']['appid'];
$config->signType = 'RSA2';
$config->alipayPublicKey = $deploy['ali']['public'];
$config->merchantPrivateKey = $deploy['ali']['private'];
Factory::setOptions($config);
//单据数据
$result = Factory::payment()->faceToFace()->pay($deploy['ali']['title'],$input['number'],$input['money'],$input['code']);
if($result->code=='10000'){
//支付成功
$result=['state'=>'success','info'=>$result->tradeNo];
}else{
//支付失败
if(in_array($result->code,['10003','20000'])){
//返回等待信息
$result=['state'=>'wait','info'=>'等待操作...'];
}else{
//确认失败,返回错误信息
$result=['state'=>'wrong','info'=>$result->subMsg];
}
}
}else{
$result=['state'=>'error','info'=>'支付参数不完整!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//查询单据
public function query(){
$input=input('post.');
if(existFull($input,['number'])){
//读取配置
$deploy=getFrameDeploy();
if(!empty($deploy)){
//配置数据
$config=new Config;
$config->protocol = 'https';
$config->gatewayHost = 'openapi.alipay.com';
$config->appId = $deploy['ali']['appid'];
$config->signType = 'RSA2';
$config->alipayPublicKey = $deploy['ali']['public'];
$config->merchantPrivateKey = $deploy['ali']['private'];
Factory::setOptions($config);
//单据数据
$result = Factory::payment()->common()->query($input['number']);
//调用结果
if($result->code=='10000'){
if(in_array($result->tradeStatus,['TRADE_SUCCESS','TRADE_FINISHED'])){
//支付成功
$result=['state'=>'success','info'=>$result->tradeNo];
}elseif($result->tradeStatus=='WAIT_BUYER_PAY'){
//返回等待信息
$result=['state'=>'wait','info'=>'等待操作...'];
}else{
$result=['state'=>'wrong','info'=>'未付款|支付超时|已撤销|已退款'];
}
}else{
//确认失败,返回错误信息
$result=['state'=>'wrong','info'=>$result->subMsg];
}
}else{
$result=['state'=>'error','info'=>'支付参数不完整!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//撤销单据
//支付成功退款|未支付关闭单据
public function cancel(){
$input=input('post.');
if(existFull($input,['number'])){
//读取配置
$deploy=getFrameDeploy();
if(!empty($deploy)){
//配置数据
$config=new Config;
$config->protocol = 'https';
$config->gatewayHost = 'openapi.alipay.com';
$config->appId = $deploy['ali']['appid'];
$config->signType = 'RSA2';
$config->alipayPublicKey = $deploy['ali']['public'];
$config->merchantPrivateKey = $deploy['ali']['private'];
Factory::setOptions($config);
//单据数据
$result = Factory::payment()->common()->cancel($input['number']);
//调用结果
if($result->code=='10000'){
if(in_array($result->action,['close','refund'])){
//撤销成功
$result=['state'=>'success','info'=>'撤销单据成功!'];
}else{
$result=['state'=>'wrong','info'=>'撤销单据失败,请人工处理!'];
}
}else{
//确认失败,返回错误信息
$result=['state'=>'wrong','info'=>$result->subMsg];
}
}else{
$result=['state'=>'error','info'=>'支付参数不完整!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,462 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Allot as Allots,AllotInfo,Account};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Allot extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['user','fullEq'],
['examine','fullDec1'],
['people','fullEq'],
['data','fullLike']
]);//构造SQL
//转账字段扩展查询
if(existFull($input,['account'])){
$sql[]=['id','in',array_column(Db::name('allot_info')->where([['account|tat','=',$input['account']]])->select()->toArray(),'pid')];
}
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('allot',$sql);//数据鉴权
$count = Allots::where($sql)->count();//获取总条数
$info = Allots::with(['frameData','peopleData','userData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
empty($class['id'])?$this->validate($class,'app\validate\Allot'):$this->validate($class,'app\validate\Allot.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\AllotInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'数据表格第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Allots::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'allot','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增转账单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Allots::update($class);
Db::name('record')->insert(['type'=>'allot','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新转账单[ '.$class['number'].' ]');//日志
}
//INFO数据
AllotInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new AllotInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Allots::where([['id','=',$input['parm']]])->find();
$info=AllotInfo::with(['accountData','tatData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('allot')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('allot')->where([['id','in',$input['parm']]])->delete();
Db::name('allot_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','allot'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除转账单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('allot')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$infoList=Db::name('allot_info')->where([['pid','in',$input['parm']]])->order(['id'=>'asc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
$info=search($infoList)->where([['pid','=',$parmVo]])->select();
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
//3 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 构造数据
$outStore=['account'=>[],'accountInfo'=>[]];
$enterStore=['account'=>[],'accountInfo'=>[]];
foreach ($info as $infoKey=>$infoVo){
//1 转出账户
$outStore['account'][]=['id'=>$infoVo['account'],'balance'=>$infoVo['money']];
//2 转出账户详情
$outStore['accountInfo'][]=['pid'=>$infoVo['account'],'type'=>'allotOut','class'=>$class['id'],'time'=>$class['time'],'direction'=>0,'money'=>$infoVo['money']];
//3 转入账户
$enterStore['account'][]=['id'=>$infoVo['tat'],'balance'=>$infoVo['money']];
//4 转入账户详情
$enterStore['accountInfo'][]=['pid'=>$infoVo['tat'],'type'=>'allotEnter','class'=>$class['id'],'time'=>$class['time'],'direction'=>1,'money'=>$infoVo['money']];
}
//2 转出账户
Db::name('account')->duplicate(['balance'=>Db::raw('balance - VALUES(`balance`)')])->insertAll($outStore['account']);
//3 转出账户详情
Db::name('account_info')->insertAll($outStore['accountInfo']);
//4 转入账户
Db::name('account')->duplicate(['balance'=>Db::raw('balance + VALUES(`balance`)')])->insertAll($enterStore['account']);
//5 转入账户详情
Db::name('account_info')->insertAll($enterStore['accountInfo']);
//6 更新单据
Db::name('allot')->where([['id','=',$class['id']]])->update(['examine'=>1]);
//7 单据记录
Db::name('record')->insert(['type'=>'allot','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//8 记录操作
pushLog('审核转账单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//--- 转出数据 ---
//1 匹配数据
$accountInfoList=Db::name('account_info')->where([['type','=','allotOut'],['class','=',$class['id']]])->select()->toArray();
//2 资金账户
$accountDuplicate=[];
foreach ($accountInfoList as $accountInfoVo) {
$accountDuplicate[]=['id'=>$accountInfoVo['pid'],'balance'=>$accountInfoVo['money']];
}
//2.1 更新资金
Db::name('account')->duplicate(['balance'=>Db::raw('balance + VALUES(`balance`)')])->insertAll($accountDuplicate);
//2.2 删除资金详情
Db::name('account_info')->where([['id','in',array_column($accountInfoList,'id')]])->delete();
//--- 转入数据 ---
//3 匹配数据
$accountInfoList=Db::name('account_info')->where([['type','=','allotEnter'],['class','=',$class['id']]])->select()->toArray();
//4 资金账户
$accountDuplicate=[];
foreach ($accountInfoList as $accountInfoVo) {
$accountDuplicate[]=['id'=>$accountInfoVo['pid'],'balance'=>$accountInfoVo['money']];
}
//5.1 更新资金
Db::name('account')->duplicate(['balance'=>Db::raw('balance - VALUES(`balance`)')])->insertAll($accountDuplicate);
//5.2 删除资金详情
Db::name('account_info')->where([['id','in',array_column($accountInfoList,'id')]])->delete();
//6 更新单据
Db::name('allot')->where([['id','=',$class['id']]])->update(['examine'=>0]);
//7 单据记录
Db::name('record')->insert(['type'=>'allot','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//8 记录操作
pushLog('反审核转账单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('allot', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//关联人员匹配
if(empty($data[3]['D'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['D']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['D'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'time'=>$data[3]['A'],
'number'=>$data[3]['B'],
'total'=>0,
'people'=>$people['id'],
'file'=>[],
'data'=>$data[3]['E'],
'more'=>[],
'examine'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Allot');//数据合法性验证
//初始化INFO
$info=[];
$account=Db::name('account')->where([['name','in',array_column($data,'F')]])->select()->toArray();
$tat=Db::name('account')->where([['name','in',array_column($data,'G')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'account'=>$dataVo['F'],
'tat'=>$dataVo['G'],
'money'=>$dataVo['H'],
'settle'=>$dataVo['I'],
'data'=>$dataVo['J']
];
//转出账户匹配
$accountFind=search($account)->where([['name','=',$record['account']]])->find();
if(empty($accountFind)){
throw new ValidateException('模板文件第'.$dataKey.'行转出账户[ '.$record['account'].' ]未匹配!');
}else{
$record['account']=$accountFind['id'];
}
//转入账户匹配
$tatFind=search($tat)->where([['name','=',$record['tat']]])->find();
if(empty($tatFind)){
throw new ValidateException('模板文件第'.$dataKey.'行转入账户[ '.$record['tat'].' ]未匹配!');
}else{
$record['tat']=$tatFind['id'];
}
//结算金额匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['money'])){
throw new ValidateException('模板文件第'.$dataKey.'行结算金额不正确!');
}
try{
$this->validate($record,'app\validate\AllotInfo');//数据合法性验证
//转存数据
$class['total']=math()->chain($class['total'])->add($record['money'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
Db::startTrans();
try {
//新增CLASS
$classData=Allots::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new AllotInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'allot','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入转账单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出转账单列表');//日志
$source=Allots::with(['frameData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'转账单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总单据金额:'.mathArraySum(array_column($source,'total'))
]];
//导出execl
buildExcel('转账单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'转账单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'accountData|name'=>'转出账户',
'tatData|name'=>'转入账户',
'money'=>'结算金额',
'settle'=>'结算号',
'data'=>'备注信息'
];
//构造表内数据
$info=AllotInfo::with(['accountData','tatData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('转账单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,49 @@
<?php
namespace app\controller;
use app\BaseController;
use app\model\User;
use think\facade\Request;
class Api extends BaseController{
//登陆
public function login(){
$input=input('post.');
if(existFull($input,['user','pwd','uuid'])){
$sql=fastSql($input,[
[['user'=>'user|tel'],'eq'],
['pwd','md5']
]);
$user=User::where($sql)->field(['id','name','tel','frame','user','img'])->find();
if(empty($user)){
$result=['state'=>'error','info'=>'账号|手机号或密码不正确!'];
}else{
$token=token();
cache($token,['user'=>$user['id'],'frame'=>[]]);
cache($input['uuid'],null);
pushLog('登录成功',$user['id']);
$result=['state'=>'success','info'=>$user,'token'=>$token];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取验证
public function captcha(){
$uuid=uuid();
$captcha=new \org\Captcha();
$info=$captcha->entry();
cache($uuid,$info['code']);
return json(['state'=>'success','info'=>['uuid'=>$uuid,'data'=>$info['data']]]);
}
//运行数据
public function runData(){
return json([
'state'=>'success',
'info'=>[
'login'=>checkLogin(),
'sys'=>getSys(['name','company','icp','notice']),
'ver'=>config('soft.version')
]
]);
}
}

View File

@ -0,0 +1,149 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\Attribute as Attributes;
use think\facade\Db;
use think\exception\ValidateException;
class Attribute extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
['name','fullLike'],
['data','fullLike']
]);//构造SQL
$count = Attributes::where($sql)->count();//获取总条数
$info = Attributes::where($sql)->page($input['page'],$input['limit'])->order(['sort'=>'asc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Attribute'):$this->validate($input,'app\validate\Attribute.update');
//关联判断
if(!empty($input['id'])){
$column=[array_column($input['info'],'name'),array_column(Db::name('attribute_info')->where([['pid','=',$input['id']]])->select()->toArray(),'name')];
$diff=array_diff($column[1],$column[0]);
if(!empty($diff)){
$whereOr=[];
foreach($diff as $v){$whereOr[]=['name','like','%'.$v.'%'];}
$attr=Db::name('attr')->whereOr($whereOr)->select()->toArray();
if(!empty($attr)){
$column[]=array_column($attr,'name');
$columns=[];
foreach($column[2] as $v){$columns=array_merge($columns,explode("|",$v));}
foreach($column[2] as $v){
if(in_array($v,$columns)){throw new ValidateException('[ '.$v.' ] 存在数据关联,操作已撤销!');}
}
}
}
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
$createInfo=Attributes::create($input);
$input['id']=$createInfo['id'];//转存主键
pushLog('新增辅助属性[ '.$input['name'].' ]');//日志
}else{
//更新数据
Attributes::update($input);
pushLog('更新辅助属性[ '.$input['name'].' ]');//日志
}
//INFO数据
Db::name('attribute_info')->where([['pid','=',$input['id']]])->delete();
foreach ($input['info'] as $k=>$v) {
$input['info'][$k]['pid']=$input['id'];
}
Db::name('attribute_info')->insertAll($input['info']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Attributes::with(['info'])->where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
$find=Db::name('attribute')->where([['id','=',$input['id']]])->find();
$info=Db::name('attribute_info')->where([['pid','=',$input['id']]])->select()->toArray();
//关联判断
$list=array_column($info,'name');
$whereOr=[];
foreach($list as $v){
$whereOr[]=['name','like','%'.$v.'%'];
}
$attr=Db::name('attr')->whereOr($whereOr)->select()->toArray();
if(!empty($attr)){
$column=array_column($attr,'name');
$columns=[];
foreach($column as $v){
$columns=array_merge($columns,explode("|",$v));
}
foreach($list as $v){
if(in_array($v,$columns)){
return json(['state'=>'error','info'=>'存在数据关联,删除失败!']);
}
}
}
Db::startTrans();
try {
Db::name('attribute')->where([['id','=',$input['id']]])->delete();
Db::name('attribute_info')->where([['pid','=',$input['id']]])->delete();
pushLog('删除辅助属性[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//全部
public function select(){
$info = Attributes::with('info')->order(['sort'=>'asc'])->select();
$result=['state'=>'success','info'=>$info];
return json($result);
}
}

View File

@ -0,0 +1,74 @@
<?php
namespace app\controller;
use app\controller\Acl;
class Backup extends Acl {
//列表
public function record(){
$input=input('post.');
//数据完整性判断
if(existFull($input,['page','limit'])){
$dbInfo=config('database.connections.mysql');
$backup=new \org\BakSql($dbInfo['hostname'],$dbInfo['username'],$dbInfo['password'],$dbInfo['database']);
$list=$backup->get_filelist();
//排除配置文件
foreach ($list as $listKey=>$listVo){
if(substr($listVo['name'],0,1)=='.'){
unset($list[$listKey]);
}
}
$count = count($list);//获取总条数
$info =array_slice($list,$input['limit']*($input['page']-1),$input['limit']);//匹配分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//备份
public function backup(){
$dbInfo=config('database.connections.mysql');
$backup=new \org\BakSql($dbInfo['hostname'],$dbInfo['username'],$dbInfo['password'],$dbInfo['database']);
$backup->backup();
pushLog('备份数据');
return json (['state'=>'success']);
}
//恢复
public function restore(){
$input=input('post.');
if(existFull($input,['name'])){
//恢复指定数据
$dbInfo=config('database.connections.mysql');
$backup=new \org\BakSql($dbInfo['hostname'],$dbInfo['username'],$dbInfo['password'],$dbInfo['database']);
$backup->restore($input['name']);
pushLog('恢复数据备份[ '.$input['name'].' ]');//日志信息
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$path=pathChange('static.backup');
foreach ($input['parm'] as $infoVo) {
//防止恶意请求
if(strpos($infoVo,DIRECTORY_SEPARATOR)===false && strpos($infoVo,'..')===false){
@unlink($path.$infoVo);
pushLog('删除数据备份[ '.$infoVo.' ]');//日志信息
}else{
return json(['state'=>'error','info'=>'传入参数错误!']);
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,687 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use think\Model;
use app\model\{Goods,RoomInfo,BatchInfo};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Batch extends Acl {
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit']) && isset($input['warehouse']) && is_array($input['warehouse']) && isset($input['state']) && in_array($input['state'],[0,1])){
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->order(['id'=>'desc'])->select()->toArray();
//构造表头|集合
$column=[];
foreach ($warehouse as $warehouseVo) {
$column[]=['id'=>$warehouseVo['id'],'key'=>'stock_'.$warehouseVo['id'],'name'=>$warehouseVo['name']];
}
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//批次查询
$batchSql=fastSql($input,[
[['batch'=>'number'],'fullLike'],
['time','fullTime']
]);//构造SQL
$batchSql[]=['warehouse','in',array_column($warehouse,'id')];
//查询操作-批次类型
if(empty($input['state'])){
$batch=Db::name('batch')->where($batchSql)->select()->toArray();
}else{
$batchSql[]=['time','<>',0];
$batch=Db::name('batch')->alias('a')->join('goods b','a.goods = b.id')->where($batchSql)->whereRaw('a.time + (b.validity * 86400) >= :time - (b.threshold * 86400)',['time'=>strtotime(date('Y-m-d',time()))])->field('a.*')->select()->toArray();
}
//查询商品
$sql[]=['id','in',array_column($batch,'goods')];
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->page($input['page'],$input['limit'])->append(['extension'])->select()->toArray();
//唯一标识|属性处理
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['key']=$infoVo['id'];
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$info[$infoKey]['attr'][$attrKey]['key']=$infoVo['id'].'.'.$attrVo['id'];
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//库存集合[w:仓库|g:商品|a:属性|b:批次|t:生产日期]
$gather=['g'=>[],'wg'=>[],'ga'=>[],'wga'=>[],'gb'=>[],'wgb'=>[],'gbt'=>[],'wgbt'=>[],'gab'=>[],'wgab'=>[],'gabt'=>[],'wgabt'=>[]];
//查询库存数据-仓储
$room=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','in',array_column($info,'id')]])->select()->toArray();
//构造库存数据
foreach ($room as $roomVo) {
//商品
$g=md5_16($roomVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add($roomVo['nums'])->done();
//仓库|商品
$wg=md5_16($roomVo['warehouse'].'&'.$roomVo['goods']);
$gather['wg'][$wg]=math()->chain($gather['wg'][$wg]??0)->add($roomVo['nums'])->done();
//判断属性
if(!empty($roomVo['attr'])){
//商品|属性
$ga=md5_16($roomVo['goods'].'&'.$roomVo['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add($roomVo['nums'])->done();
//仓库|商品|属性
$wga=md5_16($roomVo['warehouse'].'&'.$roomVo['goods'].'&'.$roomVo['attr']);
$gather['wga'][$wga]=math()->chain($gather['wga'][$wga]??0)->add($roomVo['nums'])->done();
}
}
//构造库存数据-批次
foreach ($batch as $batchKey=>$batchVo) {
//商品|批次
$gb=md5_16($batchVo['goods'].'&'.$batchVo['number']);
$gather['gb'][$gb]=math()->chain($gather['gb'][$gb]??0)->add($batchVo['nums'])->done();
//仓库|商品|批次
$wgb=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$batchVo['number']);
$gather['wgb'][$wgb]=math()->chain($gather['wgb'][$wgb]??0)->add($batchVo['nums'])->done();
//匹配辅助属性
$find=search($room)->where([['id','=',$batchVo['room']]])->find();
if(empty($find['attr'])){
//转存数据
$batch[$batchKey]['attr']=null;
//生产日期
if(!empty($batchVo['time'])){
//商品|批次|生产日期
$gbt=md5_16($batchVo['goods'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['gbt'][$gbt]=math()->chain($gather['gbt'][$gbt]??0)->add($batchVo['nums'])->done();
//仓库|商品|批次|生产日期
$wgbt=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['wgbt'][$wgbt]=math()->chain($gather['wgbt'][$wgbt]??0)->add($batchVo['nums'])->done();
}
}else{
//转存数据
$batch[$batchKey]['attr']=$find['attr'];
//商品|属性|批次
$gab=md5_16($batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['number']);
$gather['gab'][$gab]=math()->chain($gather['gab'][$gab]??0)->add($batchVo['nums'])->done();
//仓库|商品|属性|批次
$wgab=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['number']);
$gather['wgab'][$wgab]=math()->chain($gather['wgab'][$wgab]??0)->add($batchVo['nums'])->done();
//生产日期
if(!empty($batchVo['time'])){
//商品|属性|批次|生产日期
$gabt=md5_16($batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['gabt'][$gabt]=math()->chain($gather['gabt'][$gabt]??0)->add($batchVo['nums'])->done();
//仓库|商品|属性|批次|生产日期
$wgabt=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['wgabt'][$wgabt]=math()->chain($gather['wgabt'][$wgabt]??0)->add($batchVo['nums'])->done();
}
}
}
//数量匹配|库存处理
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?($infoVo['unit']=='-1'?unitSwitch($gather['g'][$g],$infoVo['units']):$gather['g'][$g]):0;
//仓库|商品
foreach ($column as $columnVo) {
$wg=md5_16($columnVo['id'].'&'.$infoVo['id']);
$info[$infoKey]['stock_'.$columnVo['id']]=isset($gather['wg'][$wg])?($infoVo['unit']=='-1'?unitSwitch($gather['wg'][$wg],$infoVo['units']):$gather['wg'][$wg]):0;
}
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?($infoVo['unit']=='-1'?unitSwitch($gather['ga'][$ga],$infoVo['units']):$gather['ga'][$ga]):0;
//仓库|商品|属性
foreach ($column as $columnVo) {
$wga=md5_16($columnVo['id'].'&'.$infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['stock_'.$columnVo['id']]=isset($gather['wga'][$wga])?($infoVo['unit']=='-1'?unitSwitch($gather['wga'][$wga],$infoVo['units']):$gather['wga'][$wga]):0;
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//数量匹配|批次处理
foreach ($info as $infoKey=>$infoVo) {
//数组改造
if(empty($infoVo['attr'])){
$list=search($batch)->where([['goods','=',$infoVo['id']],['attr','=',null]])->select();
//去重匹配
foreach (assoc_unique($list,'number') as $listVo) {
$row=[
'name'=>$listVo['number']
];
//商品|批次
$gb=md5_16($infoVo['id'].'&'.$listVo['number']);
$row['summary']=isset($gather['gb'][$gb])?($infoVo['unit']=='-1'?unitSwitch($gather['gb'][$gb],$infoVo['units']):$gather['gb'][$gb]):0;
//仓库|商品|批次
foreach ($column as $columnVo) {
$wgb=md5_16($columnVo['id'].'&'.$infoVo['id'].'&'.$listVo['number']);
$row['stock_'.$columnVo['id']]=isset($gather['wgb'][$wgb])?($infoVo['unit']=='-1'?unitSwitch($gather['wgb'][$wgb],$infoVo['units']):$gather['wgb'][$wgb]):0;
}
//生产日期处理
if(empty($listVo['time'])){
$row['batch']=$listVo['id'];
}else{
$sub=search($list)->where([['number','=',$listVo['number']]])->select();
foreach ($sub as $subVo) {
$tag=[
'batch'=>$subVo['id'],
'name'=>'-',
'protect'=>$infoVo['protect'],
'startTime'=>date('Y-m-d',$subVo['time']),
'endTime'=>date('Y-m-d',$subVo['time']+($infoVo['protect']*86400))
];
//商品|批次|生产日期
$gbt=md5_16($infoVo['id'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['summary']=isset($gather['gbt'][$gbt])?($infoVo['unit']=='-1'?unitSwitch($gather['gbt'][$gbt],$infoVo['units']):$gather['gbt'][$gbt]):0;
//仓库|商品|批次|生产日期
foreach ($column as $columnVo) {
$wgbt=md5_16($columnVo['id'].'&'.$infoVo['id'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['stock_'.$columnVo['id']]=isset($gather['wgbt'][$wgbt])?($infoVo['unit']=='-1'?unitSwitch($gather['wgbt'][$wgbt],$infoVo['units']):$gather['wgbt'][$wgbt]):0;
}
$tag['key']=$gbt;
$row['attr'][]=$tag;
}
}
$row['key']=$gb;
$info[$infoKey]['attr'][]=$row;
}
}else{
//匹配数据
$list=search($batch)->where([['goods','=',$infoVo['id']],['attr','<>',null]])->select();
//循环属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$select=search($list)->where([['attr','=',$attrVo['name']]])->select();
//去重匹配
foreach (assoc_unique($select,'number') as $selectVo) {
$row=[
'name'=>$selectVo['number']
];
//商品|属性|批次
$gab=md5_16($infoVo['id'].'&'.$selectVo['attr'].'&'.$selectVo['number']);
$row['summary']=isset($gather['gab'][$gab])?($infoVo['unit']=='-1'?unitSwitch($gather['gab'][$gab],$infoVo['units']):$gather['gab'][$gab]):0;
//仓库|商品|属性|批次
foreach ($column as $columnVo) {
$wgab=md5_16($columnVo['id'].'&'.$infoVo['id'].$selectVo['attr'].'&'.$selectVo['number']);
$row['stock_'.$columnVo['id']]=isset($gather['wgab'][$wgab])?($infoVo['unit']=='-1'?unitSwitch($gather['wgab'][$wgab],$infoVo['units']):$gather['wgab'][$wgab]):0;
}
//生产日期处理
if(empty($selectVo['time'])){
$row['batch']=$selectVo['id'];
}else{
$sub=search($list)->where([['number','=',$selectVo['number']]])->select();
foreach ($sub as $subVo) {
$tag=[
'batch'=>$subVo['id'],
'name'=>'-',
'protect'=>$infoVo['protect'],
'startTime'=>date('Y-m-d',$subVo['time']),
'endTime'=>date('Y-m-d',$subVo['time']+($infoVo['protect']*86400))
];
//商品|属性|批次|生产日期
$gabt=md5_16($infoVo['id'].'&'.$selectVo['attr'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['summary']=isset($gather['gabt'][$gabt])?($infoVo['unit']=='-1'?unitSwitch($gather['gabt'][$gabt],$infoVo['units']):$gather['gabt'][$gabt]):0;
//仓库|商品|属性|批次|生产日期
foreach ($column as $columnVo) {
$wgabt=md5_16($columnVo['id'].'&'.$infoVo['id'].'&'.$selectVo['attr'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['stock_'.$columnVo['id']]=isset($gather['wgabt'][$wgabt])?($infoVo['unit']=='-1'?unitSwitch($gather['wgabt'][$wgabt],$infoVo['units']):$gather['wgabt'][$wgabt]):0;
}
$tag['key']=$gabt;
$row['attr'][]=$tag;
}
}
$row['key']=$gab;
$info[$infoKey]['attr'][$attrKey]['attr'][]=$row;
}
if(empty($select))unset($info[$infoKey]['attr'][$attrKey]);
}
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info,
'column'=>$column
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
existFull($input,['warehouse'])||$input['warehouse']=[];
if(isset($input['warehouse']) && is_array($input['warehouse']) && isset($input['state']) && in_array($input['state'],[0,1])){
pushLog('导出批次列表');//日志
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',explode(',',$input['warehouse'])]])->order(['id'=>'desc'])->select()->toArray();
//构造表头
$column=[];
foreach ($warehouse as $warehouseVo) {
$column['stock_'.$warehouseVo['id']]=$warehouseVo['name'];
}
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//批次查询
$batchSql=fastSql($input,[
[['batch'=>'number'],'fullLike'],
['time','fullTime']
]);//构造SQL
$batchSql[]=['warehouse','in',array_column($warehouse,'id')];
//查询操作-批次类型
if(empty($input['state'])){
$batch=Db::name('batch')->where($batchSql)->select()->toArray();
}else{
$batchSql[]=['time','<>',0];
$batch=Db::name('batch')->alias('a')->join('goods b','a.goods = b.id')->where($batchSql)->whereRaw('a.time + (b.threshold * 86400) < :time',['time'=>strtotime(date('Y-m-d',time()))])->field('a.*')->select()->toArray();
}
//查询商品
$sql[]=['id','in',array_column($batch,'goods')];
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//属性处理
foreach ($info as $infoKey=>$infoVo) {
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//库存集合[w:仓库|g:商品|a:属性|b:批次|t:生产日期]
$gather=['g'=>[],'wg'=>[],'ga'=>[],'wga'=>[],'gb'=>[],'wgb'=>[],'gbt'=>[],'wgbt'=>[],'gab'=>[],'wgab'=>[],'gabt'=>[],'wgabt'=>[]];
//查询库存数据-仓储
$room=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','in',array_column($info,'id')]])->select()->toArray();
//构造库存数据
foreach ($room as $roomVo) {
//商品
$g=md5_16($roomVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add($roomVo['nums'])->done();
//仓库|商品
$wg=md5_16($roomVo['warehouse'].'&'.$roomVo['goods']);
$gather['wg'][$wg]=math()->chain($gather['wg'][$wg]??0)->add($roomVo['nums'])->done();
//判断属性
if(!empty($roomVo['attr'])){
//商品|属性
$ga=md5_16($roomVo['goods'].'&'.$roomVo['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add($roomVo['nums'])->done();
//仓库|商品|属性
$wga=md5_16($roomVo['warehouse'].'&'.$roomVo['goods'].'&'.$roomVo['attr']);
$gather['wga'][$wga]=math()->chain($gather['wga'][$wga]??0)->add($roomVo['nums'])->done();
}
}
//构造库存数据-批次
foreach ($batch as $batchKey=>$batchVo) {
//商品|批次
$gb=md5_16($batchVo['goods'].'&'.$batchVo['number']);
$gather['gb'][$gb]=math()->chain($gather['gb'][$gb]??0)->add($batchVo['nums'])->done();
//仓库|商品|批次
$wgb=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$batchVo['number']);
$gather['wgb'][$wgb]=math()->chain($gather['wgb'][$wgb]??0)->add($batchVo['nums'])->done();
//匹配辅助属性
$find=search($room)->where([['id','=',$batchVo['room']]])->find();
if(empty($find['attr'])){
//转存数据
$batch[$batchKey]['attr']=null;
//生产日期
if(!empty($batchVo['time'])){
//商品|批次|生产日期
$gbt=md5_16($batchVo['goods'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['gbt'][$gbt]=math()->chain($gather['gbt'][$gbt]??0)->add($batchVo['nums'])->done();
//仓库|商品|批次|生产日期
$wgbt=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['wgbt'][$wgbt]=math()->chain($gather['wgbt'][$wgbt]??0)->add($batchVo['nums'])->done();
}
}else{
//转存数据
$batch[$batchKey]['attr']=$find['attr'];
//商品|属性|批次
$gab=md5_16($batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['number']);
$gather['gab'][$gab]=math()->chain($gather['gab'][$gab]??0)->add($batchVo['nums'])->done();
//仓库|商品|属性|批次
$wgab=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['number']);
$gather['wgab'][$wgab]=math()->chain($gather['wgab'][$wgab]??0)->add($batchVo['nums'])->done();
//生产日期
if(!empty($batchVo['time'])){
//商品|属性|批次|生产日期
$gabt=md5_16($batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['gabt'][$gabt]=math()->chain($gather['gabt'][$gabt]??0)->add($batchVo['nums'])->done();
//仓库|商品|属性|批次|生产日期
$wgabt=md5_16($batchVo['warehouse'].'&'.$batchVo['goods'].'&'.$find['attr'].'&'.$batchVo['id'].'&'.$batchVo['time']);
$gather['wgabt'][$wgabt]=math()->chain($gather['wgabt'][$wgabt]??0)->add($batchVo['nums'])->done();
}
}
}
//数量匹配|库存处理
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?($infoVo['unit']=='-1'?unitSwitch($gather['g'][$g],$infoVo['units']):$gather['g'][$g]):0;
//仓库|商品
foreach ($warehouse as $warehouseVo) {
$wg=md5_16($warehouseVo['id'].'&'.$infoVo['id']);
$info[$infoKey]['stock_'.$warehouseVo['id']]=isset($gather['wg'][$wg])?($infoVo['unit']=='-1'?unitSwitch($gather['wg'][$wg],$infoVo['units']):$gather['wg'][$wg]):0;
}
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?($infoVo['unit']=='-1'?unitSwitch($gather['ga'][$ga],$infoVo['units']):$gather['ga'][$ga]):0;
//仓库|商品|属性
foreach ($warehouse as $warehouseVo) {
$wga=md5_16($warehouseVo['id'].'&'.$infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['stock_'.$warehouseVo['id']]=isset($gather['wga'][$wga])?($infoVo['unit']=='-1'?unitSwitch($gather['wga'][$wga],$infoVo['units']):$gather['wga'][$wga]):0;
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//数量匹配|批次处理
foreach ($info as $infoKey=>$infoVo) {
//数组改造
if(empty($infoVo['attr'])){
$list=search($batch)->where([['goods','=',$infoVo['id']],['attr','=',null]])->select();
//去重匹配
foreach (assoc_unique($list,'number') as $listVo) {
$row=[
'name'=>$listVo['number']
];
//商品|批次
$gb=md5_16($infoVo['id'].'&'.$listVo['number']);
$row['summary']=isset($gather['gb'][$gb])?($infoVo['unit']=='-1'?unitSwitch($gather['gb'][$gb],$infoVo['units']):$gather['gb'][$gb]):0;
//仓库|商品|批次
foreach ($warehouse as $columnVo) {
$wgb=md5_16($warehouseVo['id'].'&'.$infoVo['id'].'&'.$listVo['number']);
$row['stock_'.$warehouseVo['id']]=isset($gather['wgb'][$wgb])?($infoVo['unit']=='-1'?unitSwitch($gather['wgb'][$wgb],$infoVo['units']):$gather['wgb'][$wgb]):0;
}
//生产日期处理
if(!empty($listVo['time'])){
$sub=search($list)->where([['number','=',$listVo['number']]])->select();
foreach ($sub as $subVo) {
$tag=[
'name'=>'-',
'protect'=>$infoVo['protect'],
'startTime'=>date('Y-m-d',$subVo['time']),
'endTime'=>date('Y-m-d',$subVo['time']+($infoVo['protect']*86400))
];
//商品|批次|生产日期
$gbt=md5_16($infoVo['id'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['summary']=isset($gather['gbt'][$gbt])?($infoVo['unit']=='-1'?unitSwitch($gather['gbt'][$gbt],$infoVo['units']):$gather['gbt'][$gbt]):0;
//仓库|商品|批次|生产日期
foreach ($warehouse as $warehouseVo) {
$wgbt=md5_16($warehouseVo['id'].'&'.$infoVo['id'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['stock_'.$warehouseVo['id']]=isset($gather['wgbt'][$wgbt])?($infoVo['unit']=='-1'?unitSwitch($gather['wgbt'][$wgbt],$infoVo['units']):$gather['wgbt'][$wgbt]):0;
}
$tag['key']=$gbt;
$row['attr'][]=$tag;
}
}
$row['key']=$gb;
$info[$infoKey]['attr'][]=$row;
}
}else{
//匹配数据
$list=search($batch)->where([['goods','=',$infoVo['id']],['attr','<>',null]])->select();
//循环属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$select=search($list)->where([['attr','=',$attrVo['name']]])->select();
//去重匹配
foreach (assoc_unique($select,'number') as $selectVo) {
$row=[
'name'=>$selectVo['number']
];
//商品|属性|批次
$gab=md5_16($infoVo['id'].'&'.$selectVo['attr'].'&'.$selectVo['number']);
$row['summary']=isset($gather['gab'][$gab])?($infoVo['unit']=='-1'?unitSwitch($gather['gab'][$gab],$infoVo['units']):$gather['gab'][$gab]):0;
//仓库|商品|属性|批次
foreach ($warehouse as $warehouseVo) {
$wgab=md5_16($warehouseVo['id'].'&'.$infoVo['id'].$selectVo['attr'].'&'.$selectVo['number']);
$row['stock_'.$warehouseVo['id']]=isset($gather['wgab'][$wgab])?($infoVo['unit']=='-1'?unitSwitch($gather['wgab'][$wgab],$infoVo['units']):$gather['wgab'][$wgab]):0;
}
//生产日期处理
if(!empty($selectVo['time'])){
$sub=search($list)->where([['number','=',$selectVo['number']]])->select();
foreach ($sub as $subVo) {
$tag=[
'name'=>'-',
'protect'=>$infoVo['protect'],
'startTime'=>date('Y-m-d',$subVo['time']),
'endTime'=>date('Y-m-d',$subVo['time']+($infoVo['protect']*86400))
];
//商品|属性|批次|生产日期
$gabt=md5_16($infoVo['id'].'&'.$selectVo['attr'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['summary']=isset($gather['gabt'][$gabt])?($infoVo['unit']=='-1'?unitSwitch($gather['gabt'][$gabt],$infoVo['units']):$gather['gabt'][$gabt]):0;
//仓库|商品|属性|批次|生产日期
foreach ($warehouse as $warehouseVo) {
$wgabt=md5_16($warehouseVo['id'].'&'.$infoVo['id'].'&'.$selectVo['attr'].'&'.$subVo['id'].'&'.$subVo['time']);
$tag['stock_'.$warehouseVo['id']]=isset($gather['wgabt'][$wgabt])?($infoVo['unit']=='-1'?unitSwitch($gather['wgabt'][$wgabt],$infoVo['units']):$gather['wgabt'][$wgabt]):0;
}
$tag['key']=$gabt;
$row['attr'][]=$tag;
}
}
$row['key']=$gab;
$info[$infoKey]['attr'][$attrKey]['attr'][]=$row;
}
if(empty($select))unset($info[$infoKey]['attr'][$attrKey]);
}
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
}
//结构重组
$source=[];
foreach ($info as $infoVo) {
$source[]=$infoVo;
if(!empty($infoVo['attr'])){
foreach ($infoVo['attr'] as $attrVo) {
$attrVo['name']='|- '.$attrVo['name'];
$source[]=$attrVo;
if(existFull($attrVo,['attr'])){
foreach ($attrVo['attr'] as $subVo) {
$subVo['name']='|-- '.$subVo['name'];
$source[]=$subVo;
}
}
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'批次列表'];
//表格数据
$field=array_merge(['name'=>'商品名称','summary'=>'库存数量'],$column,['protect'=>'保质期(天)','startTime'=>'生产日期','endTime'=>'过期日期','number'=>'商品编号','spec'=>'规格型号','categoryData|name'=>'商品分类','brand'=>'商品品牌','extension|unit'=>'商品单位','code'=>'商品条码','data'=>'商品备注']);
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('批次列表',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
//详情列表
public function detailRecord(){
$input=input('post.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['type'])||$input['type']=$sheet;
if(existFull($input,['page','limit','batch','warehouse']) && is_arrays($input,['batch','warehouse','type']) && arrayInArray($input['type'],$sheet)){
//构造SQL|batch
$sql=fastSql($input,[
[['batch'=>'id'],'fullIn'],
['warehouse','fullIn']
]);
//查询批次数据
$batch=Db::name('batch')->where($sql)->field(['id','goods'])->select()->toArray();
if(empty($batch)){
$count=0;
$info=[];
}else{
//构造SQL|BATCHINFO
$infoSql=fastSql($input,[['type','fullIn']]);
$infoSql[]=['pid','in',array_column($batch,'id')];
//子查询SQL
$existsSql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['id','=',Db::raw('info.class')];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['type'])){
$union[]=Db::name($v)->where([['info.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$count=BatchInfo::alias('info')->where($infoSql)->whereExists($union)->count();
$info=BatchInfo::with(['sourceData'=>['frameData']])->alias('info')->where($infoSql)->whereExists($union)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//处理多单位
if(!empty($info)){
$goods=Db::name('goods')->where([['id','=',$batch[0]['goods']]])->find();
if($goods['unit']=='-1'){
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['nums']=unitSwitch($infoVo['nums'],json_decode($goods['units'],true));
}
}
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//详情导出
public function detailExports(){
$input=input('get.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['batch'])||$input['batch']=[];
existFull($input,['type'])||$input['type']=$sheet;
if(existFull($input,['batch','warehouse']) && is_arrays($input,['batch','warehouse','type']) && arrayInArray($input['type'],$sheet)){
pushLog('导出批次详情');//日志
//构造SQL|batch
$sql=fastSql($input,[
[['batch'=>'id'],'fullIn'],
['warehouse','fullIn']
]);
//查询仓储数据
$batch=Db::name('batch')->where($sql)->field(['id','goods','number'])->select()->toArray();
if(empty($batch)){
$source=[];
}else{
//构造SQL|BATCHINFO
$infoSql=fastSql($input,[['type','fullIn']]);
$infoSql[]=['pid','in',array_column($batch,'id')];
//子查询SQL
$existsSql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['id','=',Db::raw('info.class')];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['type'])){
$union[]=Db::name($v)->where([['info.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$source=BatchInfo::with(['sourceData'=>['frameData']])->alias('info')->where($infoSql)->whereExists($union)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//处理多单位
if(!empty($source)){
$goods=Db::name('goods')->where([['id','=',$batch[0]['goods']]])->find();
if($goods['unit']=='-1'){
foreach ($source as $sourceKey=>$sourceVo) {
$source[$sourceKey]['nums']=unitSwitch($sourceVo['nums'],json_decode($goods['units'],true));
}
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'批次详情'];
//表格数据
$field=[
'sourceData|frameData|name'=>'所属组织',
'sourceData|time'=>'操作时间',
'extension|type'=>'单据类型',
'sourceData|number'=>'单据编号',
'extension|direction'=>'操作类型',
'nums'=>'操作数量'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('批次详情',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,381 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Bill as Bills,BillInfo};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Bill extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['customer','fullEq'],
['supplier','fullEq'],
['people','fullEq'],
['number','fullLike'],
['type','fullDec1'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['user','fullEq'],
['examine','fullDec1'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('bill',$sql);//数据鉴权
$count = Bills::where($sql)->count();//获取总条数
$info = Bills::with(['frameData','customerData','supplierData','userData','peopleData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
empty($class['id'])?$this->validate($class,'app\validate\Bill'):$this->validate($class,'app\validate\Bill.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\BillInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'单据数据第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Bills::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'bill','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增核销单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Bills::update($class);
Db::name('record')->insert(['type'=>'bill','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新核销单[ '.$class['number'].' ]');//日志
}
//INFO数据
BillInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new BillInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Bills::where([['id','=',$input['parm']]])->find();
$info=BillInfo::with(['sourceData'])->where([['pid','=',$input['parm']]])->append(['extension'])->order(['id'=>'asc'])->select()->each(function($item){
$item->sourceData->append(['extension']);
})->toArray();
//数据处理
foreach ($info as $key=>$vo) {
in_array($vo['mold'],['buy','bre','sell','sre','ice','oce'])&&$info[$key]['sourceData']['total']=$vo['sourceData']['actual'];
}
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//关联验证
$data=Db::name('bill')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('bill')->where([['id','in',$input['parm']]])->delete();
Db::name('bill_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','bill'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除核销单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('bill')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
$info=BillInfo::with(['sourceData'])->where([['pid','=',$parmVo]])->append(['extension'])->order(['id'=>'asc'])->select()->each(function($item){
$item->sourceData->append(['extension']);
})->toArray();
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
//3 INFO验证
foreach ($info as $infoKey=>$infoVo) {
//场景验证
if(empty($class['examine'])){
//核销金额验证
$anwo=$infoVo['sourceData']['extension']['anwo'];
if(bccomp(abs($infoVo['money']),abs($anwo))==1){
return json(['state'=>'error','info'=>'审核单据[ '.$class['number'].' ]失败,原因:第'.($infoKey+1).'行可核销金额不足!']);
exit;
}
}
}
//4 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 数据处理
foreach ($info as $infoVo){
$mold=$infoVo['mold'];
$money=in_array($infoVo['mold'],['bre','sre'])?abs($infoVo['money']):$infoVo['money'];
//1.1 添加核销记录
Db::name($mold.'_bill')->insert([
'pid'=>$infoVo['source'],
'type'=>'bill',
'source'=>$class['id'],
'time'=>$class['time'],
'money'=>$money
]);
//1.2 读取核销状态
$sum=Db::name($mold.'_bill')->where(['pid'=>$infoVo['source']])->sum('money');
$total=in_array($infoVo['mold'],['buy','bre','sell','sre','ice','oce'])?$infoVo['sourceData']['actual']:$infoVo['sourceData']['total'];
$nucleus=bccomp($sum,$total)==0?2:1;
//1.3 更新核销状态
Db::name($mold)->where([['id','=',$infoVo['source']]])->update(['nucleus'=>$nucleus]);
}
//2 更新单据
Db::name('bill')->where([['id','=',$class['id']]])->update(['examine'=>1]);
//3 单据记录
Db::name('record')->insert(['type'=>'bill','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//4 记录操作
pushLog('审核核销单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//1 数据处理
foreach ($info as $infoVo){
$mold=$infoVo['mold'];
$money=in_array($infoVo['mold'],['bre','sre'])?abs($infoVo['money']):$infoVo['money'];
//1.1 删除核销记录
Db::name($mold.'_bill')->where([
['pid','=',$infoVo['source']],
['type','=','bill'],
['source','=',$class['id']]
])->delete();
//1.2 读取核销状态
$sum=Db::name($mold.'_bill')->where(['pid'=>$infoVo['source']])->sum('money');
$nucleus=empty($sum)?0:1;
//1.3 更新核销状态
Db::name($mold)->where([['id','=',$infoVo['source']]])->update(['nucleus'=>$nucleus]);
}
//2 更新单据
Db::name('bill')->where([['id','=',$class['id']]])->update(['examine'=>0]);
//3 单据记录
Db::name('record')->insert(['type'=>'bill','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//11 记录操作
pushLog('反审核核销单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('bill', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出核销单列表');//日志
$source=Bills::with(['frameData','customerData','supplierData','userData','peopleData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'核销单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'supplierData|name'=>'供应商',
'time'=>'单据时间',
'number'=>'单据编号',
'extension|type'=>'核销类型',
'pmy'=>'核销金额',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总核销金额:'.mathArraySum(array_column($source,'pmy')),
]];
//导出execl
buildExcel('核销单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'核销单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'客户:'.arraySeek($sourceVo,'customerData|name'),
'供应商:'.arraySeek($sourceVo,'supplierData|name'),
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'extension|bill'=>'核销类型',
'extension|mold'=>'单据类型',
'sourceData|time'=>'单据日期',
'sourceData|number'=>'单据编号',
'sourceData|total'=>'单据金额',
'sourceData|extension|amount'=>'已核销',
'sourceData|extension|anwo'=>'未核销',
'money'=>'核销金额'
];
//构造表内数据
$info=BillInfo::with(['sourceData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->append(['extension'])->select()->each(function($item){
$item->sourceData->append(['extension']);
})->toArray();
//数据处理
foreach ($info as $key=>$vo) {
in_array($vo['mold'],['buy','bre','sell','sre','ice','oce'])&&$info[$key]['sourceData']['total']=$vo['sourceData']['actual'];
}
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'核销类型:'.arraySeek($sourceVo,'extension|type'),
'核销金额:'.$sourceVo['pmy'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('核销单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,633 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Bor as Bors,BorInfo,Goods};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Bor extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['number','fullLike'],
['supplier','fullEq'],
['people','fullEq'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['startArrival'=>'arrival'],'startTime'],
[['endArrival'=>'arrival'],'endTime'],
['user','fullEq'],
['examine','fullDec1'],
['state','fullDec1'],
['data','fullLike']
]);//构造SQL
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['id','in',array_column(Db::name('bor_info')->where([['goods','in',$goods]])->select()->toArray(),'pid')];
}
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('bor',$sql);//数据鉴权
$count = Bors::where($sql)->count();//获取总条数
$info = Bors::with(['frameData','supplierData','peopleData','userData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
//关联单据
if(!empty($info)){
$sor=Db::name('sor')->where([['id','in',array_column($info,'source')]])->select()->toArray();
$buy=Db::name('buy')->where([['source','in',array_column($info,'id')]])->select()->toArray();
foreach ($info as $infoKey=>$infoVo) {
//销售订单
$sorData=array_map(function($item){
return ['type'=>'销售订单','time'=>date('Y-m-d',$item['time']),'number'=>$item['number'],'sort'=>$item['time'],'sort'=>$item['time'],'types'=>'sor','id'=>$item['id']];
},search($sor)->where([['id','=',$infoVo['source']]])->select());
//采购单
$buyData=array_map(function($item){
return ['type'=>'采购单','time'=>date('Y-m-d',$item['time']),'number'=>$item['number'],'sort'=>$item['time'],'sort'=>$item['time'],'types'=>'buy','id'=>$item['id']];
},search($buy)->where([['source','=',$infoVo['id']]])->select());
//合并排序
$merge=array_merge($sorData,$buyData);
array_multisort(array_column($merge,'sort'),SORT_DESC,$merge);
$info[$infoKey]['relation']=$merge;
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
empty($class['id'])?$this->validate($class,'app\validate\Bor'):$this->validate($class,'app\validate\Bor.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\BorInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'商品信息第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Bors::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'bor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增采购订单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Bors::update($class);
Db::name('record')->insert(['type'=>'bor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新采购订单[ '.$class['number'].' ]');//日志
}
//INFO数据
BorInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
$input['info'][$infoKey]['handle']=0;//初始|入库数量
}
$model = new BorInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Bors::where([['id','=',$input['parm']]])->find();
$info=BorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//关联验证
$exist=moreTableFind([['table'=>'buy','where'=>[['source','in',$input['parm']]]]]);
if($exist){
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}else{
$data=Db::name('bor')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('bor')->where([['id','in',$input['parm']]])->delete();
Db::name('bor_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','bor'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除采购订单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('bor')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
//2 综合处理
foreach ($classList as $class) {
//1 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(!empty($class['examine'])){
//采购单
$buy=Db::name('buy')->where([['source','=',$class['id']]])->find();
if(!empty($buy)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该订单存在关联采购单!']);
exit;
}
}
//2 数据处理
Db::startTrans();
try {
//场景判断
if(empty($class['examine'])){
//审核
Db::name('bor')->where([['id','=',$class['id']]])->update(['examine'=>1]);
Db::name('record')->insert(['type'=>'bor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
pushLog('审核采购订单[ '.$class['number'].' ]');//日志
}else{
//反审核
Db::name('bor')->where([['id','=',$class['id']]])->update(['examine'=>0]);
Db::name('record')->insert(['type'=>'bor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
pushLog('反审核采购订单[ '.$class['number'].' ]');//日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//开启|关闭
public function update(){
$input=input('post.');
if(existFull($input,['id'])){
$period=getPeriod();
$class=Db::name('bor')->where([['id','=',$input['id']]])->find();
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据失败,原因:单据日期与结账日期冲突!']);
exit;
}else{
Db::startTrans();
try {
if($class['state']==3){
//开启
Db::name('bor')->where([['id','=',$class['id']]])->update(['state'=>1]);
Db::name('record')->insert(['type'=>'bor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'开启单据']);
pushLog('开启采购订单[ '.$class['number'].' ]');//日志
}else{
//关闭
Db::name('bor')->where([['id','=',$class['id']]])->update(['state'=>3]);
Db::name('record')->insert(['type'=>'bor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'关闭单据']);
pushLog('关闭采购订单[ '.$class['number'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return empty($parm)?json($result):$result;
}
//生成采购单
public function buildBuy(){
$input=input('post.');
if(existFull($input,['id'])){
//源数据
$source=[
'class'=>Bors::where([['id','=',$input['id']]])->find(),
'info'=>BorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$input['id']]])->order(['id'=>'asc'])->select()->toArray()
];
//状态验证
if($source['class']['state']!=2){
//CLASS数据
$class=[
'source'=>$source['class']['id'],
'supplier'=>$source['class']['supplier'],
'total'=>0
];
//INFO数据
$info=[];
$fun=getSys('fun');
foreach ($source['info'] as $infoVo) {
//判断入库状态
if(bccomp($infoVo['nums'],$infoVo['handle'])==1){
$infoVo['source']=$infoVo['id'];
$infoVo['serial']=[];
$infoVo['batch']='';
$infoVo['mfd']='';
$infoVo['retreat']=0;
//重算价格
$infoVo['nums']=math()->chain($infoVo['nums'])->sub($infoVo['handle'])->done();
$storage=math()->chain($infoVo['price'])->mul($infoVo['nums'])->round($fun['digit']['money'])->done();
//折扣额|金额
if($infoVo['discount']==0){
$infoVo['total']=$storage;
}else{
$infoVo['dsc']=math()->chain($storage)->div(100)->mul($infoVo['discount'])->round($fun['digit']['money'])->done();
$infoVo['total']=math()->chain($storage)->sub($infoVo['dsc'])->done();
}
//税额|价税合计
if($infoVo['tax']==0){
$infoVo['tpt']=$infoVo['total'];
}else{
$infoVo['tat']=math()->chain($infoVo['total'])->div(100)->mul($infoVo['tax'])->round(2)->done();
$infoVo['tpt']=math()->chain($infoVo['total'])->add($infoVo['tat'])->done();
}
//转存数据
$info[]=$infoVo;
$class['total']=math()->chain($class['total'])->add($infoVo['tpt'])->done();//累加单据金额
}
}
$result=['state'=>'success','info'=>['class'=>$class,'info'=>$info]];
}else{
$result=['state'=>'warning','info'=>'操作失败,订单状态为已入库!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('bor', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state'=>'error','info'=>$e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
$supplier=Db::name('supplier')->where([['name','=',$data[3]['A']]])->find();
if(empty($supplier)){
throw new ValidateException('供应商[ '.$data[3]['A'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['F'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['F']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['F'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'supplier'=>$supplier['id'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'total'=>0,
'actual'=>$data[3]['E'],
'people'=>$people['id'],
'arrival'=>$data[3]['G'],
'logistics'=>["key"=>"auto","name"=>"自动识别","number"=>$data[3]['H']],
'file'=>[],
'data'=>$data[3]['I'],
'more'=>[],
'examine'=>0,
'state'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Bor');//数据合法性验证
//初始化INFO
$info=[];
$goods=Goods::with(['attr'])->where([['name','in',array_column($data,'J')]])->select()->toArray();
$warehouse=Db::name('warehouse')->where([['name','in',array_column($data,'M')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'goods'=>$dataVo['J'],
'attr'=>$dataVo['K'],
'unit'=>$dataVo['L'],
'warehouse'=>$dataVo['M'],
'price'=>$dataVo['N'],
'nums'=>$dataVo['O'],
'discount'=>$dataVo['P'],
'dsc'=>0,
'total'=>0,
'tax'=>$dataVo['S'],
'tat'=>0,
'tpt'=>0,
'data'=>$dataVo['V'],
'handle'=>0,
];
//商品匹配
$goodsFind=search($goods)->where([['name','=',$record['goods']]])->find();
if(empty($goodsFind)){
throw new ValidateException('模板文件第'.$dataKey.'行商品名称[ '.$record['goods'].' ]未匹配!');
}else{
$record['goods']=$goodsFind['id'];
}
//辅助属性匹配
if(empty($goodsFind['attr'])){
$record['attr']='';
}else{
if(empty($record['attr'])){
throw new ValidateException('模板文件第'.$dataKey.'行辅助属性不可为空!');
}else{
$attrFind=search($goodsFind['attr'])->where([['name','=',$record['attr']]])->find();
if(empty($attrFind)){
throw new ValidateException('模板文件第'.$dataKey.'行辅助属性[ '.$record['attr'].' ]未匹配!');
}
}
}
//单位匹配
if($goodsFind['unit']==-1){
if(empty($record['unit'])){
throw new ValidateException('模板文件第'.$dataKey.'行单位不可为空!');
}else{
$unitFind=search($goodsFind['units'])->where([['name','=',$record['unit']]])->find();
if(empty($unitFind) && $goodsFind['units'][0]['source']!=$record['unit']){
throw new ValidateException('模板文件第'.$dataKey.'行单位[ '.$record['unit'].' ]未匹配!');
}
}
}else{
$record['unit']=$goodsFind['unit'];
}
//仓库匹配
if(empty($goodsFind['type'])){
//常规产品
$warehouseFind=search($warehouse)->where([['name','=',$record['warehouse']]])->find();
if(empty($warehouseFind)){
throw new ValidateException('模板文件第'.$dataKey.'行仓库[ '.$record['warehouse'].' ]未匹配!');
}else{
$record['warehouse']=$warehouseFind['id'];
}
}else{
//服务产品
$record['warehouse']=null;
}
//单价匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['price'])){
throw new ValidateException('模板文件第'.$dataKey.'行单价不正确!');
}
//数量匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['nums']."})?$/",$record['nums'])){
throw new ValidateException('模板文件第'.$dataKey.'行数量不正确!');
}
try{
$this->validate($record,'app\validate\BorInfo');//数据合法性验证
$storage=math()->chain($record['price'])->mul($record['nums'])->round($fun['digit']['money'])->done();
//折扣额|金额
if($record['discount']==0){
$record['total']=$storage;
}else{
$record['dsc']=math()->chain($storage)->div(100)->mul($record['discount'])->round($fun['digit']['money'])->done();
$record['total']=math()->chain($storage)->sub($record['dsc'])->done();
}
//税额|价税合计
if($record['tax']==0){
$record['tpt']=$record['total'];
}else{
$record['tat']=math()->chain($record['total'])->div(100)->mul($record['tax'])->round(2)->done();
$record['tpt']=math()->chain($record['total'])->add($record['tat'])->done();
}
//转存数据
$class['total']=math()->chain($class['total'])->add($record['tpt'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
//CLASS数据验证
if(bccomp($class['total'],$class['actual'])==-1){
throw new ValidateException('实际金额不可大于单据金额[ '.$class['total'].' ]!');
}else{
Db::startTrans();
try {
//新增CLASS
$classData=Bors::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new BorInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'bor','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入采购订单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出采购订单列表');//日志
$source=Bors::with(['frameData','supplierData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'采购订单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'supplierData|name'=>'供应商',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'actual'=>'实际金额',
'arrival'=>'到货日期',
'extension|examine'=>'审核状态',
'extension|state'=>'入库状态',
'peopleData|name'=>'关联人员',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($source),'总单据金额:'.mathArraySum(array_column($source,'total')),'总实际金额:'.mathArraySum(array_column($source,'actual'))]];
//导出execl
buildExcel('采购订单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'采购订单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'供应商:'.$sourceVo['supplierData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'goodsData|name'=>'商品名称',
'goodsData|spec'=>'规格型号',
'attr'=>'辅助属性',
'unit'=>'单位',
'warehouseData|name'=>'仓库',
'price'=>'单价',
'nums'=>'数量',
'handle'=>'入库数量',
'discount'=>'折扣率',
'dsc'=>'折扣额',
'total'=>'金额',
'tax'=>'税率',
'tat'=>'税额',
'tpt'=>'价税合计',
'data'=>'备注信息'
];
//构造表内数据
$info=BorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
//税金匹配
$fun=getSys('fun');
if(empty(search($info)->where([['tax','<>',0]])->find()) && !$fun['tax']){
unset($field['tax']);
unset($field['tat']);
unset($field['tpt']);
}
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'实际金额:'.$sourceVo['actual'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'到货日期:'.$sourceVo['arrival'],
'物流信息:'.$sourceVo['extension']['logistics'],
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('采购订单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

1225
serve/app/controller/Bre.php Normal file

File diff suppressed because it is too large Load Diff

1154
serve/app/controller/Brt.php Normal file

File diff suppressed because it is too large Load Diff

1246
serve/app/controller/Buy.php Normal file

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,106 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Category as Categorys;
use think\facade\Db;
use think\exception\ValidateException;
class Category extends Acl{
//列表
public function record(){
$tree=new \org\Tree();
$category=$tree::hTree(Categorys::order(['sort'=>'asc'])->select());
return json(['state'=>'success','info'=>$category]);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
if(empty($input['id'])){
$this->validate($input,'app\validate\Category');
}else{
$this->validate($input,'app\validate\Category.update');
//所属不可等于或包含当前
if(in_array($input['pid'],findTreeArr('category',$input['id'],'id'))){
throw new ValidateException('所属类别选择不正确!');
}
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Categorys::create($input);
pushLog('新增商品类别[ '.$input['name'].' ]');//日志
}else{
//更新数据
Categorys::update($input);
pushLog('更新商品类别[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Categorys::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
$subFind=Db::name('category')->where([['pid','=',$input['id']]])->find();
if(empty($subFind)){
//关联判断
$exist=moreTableFind([
['table'=>'goods','where'=>[['category','=',$input['id']]]],
]);
if(empty($exist)){
//逻辑处理
$find=Db::name('category')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('category')->where([['id','=',$input['id']]])->delete();
pushLog('删除商品类别[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'存在子数据,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,207 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\Code as Codes;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Code extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
['name','fullLike'],
['info','fullLike'],
['type','fullDec1'],
['data','fullLike']
]);//构造SQL
$count = Codes::where($sql)->count();//获取总条数
$info = Codes::where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Code'):$this->validate($input,'app\validate\Code.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Codes::create($input);
pushLog('新增条码[ '.$input['name'].' ]');//日志
}else{
//更新数据
Codes::update($input);
pushLog('更新条码[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Codes::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('code')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
Db::name('code')->where([['id','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除条码信息[ '.implode(' | ',array_column($data,'name')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
$sql=[];//初始化SQL
foreach ($data as $dataKey=>$dataVo) {
$record=[
'name'=>$dataVo['A'],
'info'=>$dataVo['B'],
'type'=>$dataVo['C']=="条形码"?0:1,
'data'=>$dataVo['D']
];
//数据合法性验证
try {
$this->validate($record,'app\validate\Code');
$sql[]=$record;//加入SQL
} catch (ValidateException $e) {
//返回错误信息
return json(['state'=>'error','info'=>'模板文件第[ '.$dataKey.' ]行'.$e->getError()]);
exit;
}
}
//新增数据
$code = new Codes;
$code->saveAll($sql);
$result=['state'=>'success','info'=>'成功导入'.count($sql).'行条码数据'];
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$info=Codes::where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询数据
//生成并关联图像信息
foreach ($info as $infoKey=>$infoVo) {
if($infoVo['type']==0){
$info[$infoKey]['img']=[
'type'=>'img',
'info'=>txm($infoVo['info'],false)
];
}else if($infoVo['type']==1){
$info[$infoKey]['img']=[
'type'=>'img',
'info'=>ewm($infoVo['info'],false)
];
}else{
exit("Error");
}
}
$field=[
'name'=>'条码名称',
'info'=>'条码内容',
'extension|type'=>'条码类型',
'img'=>'条码图像',
'data'=>'备注信息'
];
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'条码信息'];
//表格数据
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($info)]];
//导出execl
pushLog('导出条码信息');//日志
buildExcel('条码信息',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
//图像
public function view(){
$input=input('get.');
if(existFull($input,['text','type']) && in_array($input['type'],['txm','ewm'])){
if($input['type']=='txm'){
//条形码
txm($input['text']);
}else if($input['type']=='ewm'){
//二维条
ewm($input['text']);
}else{
exit('error');
}
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
}

View File

@ -0,0 +1,420 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Cost as Costs;
use app\model\CostInfo;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Cost extends Acl{
//购销费用
public function record(){
$input=input('post.');
$sheet=['buy','bre','sell','sre','swap','entry','extry'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && is_arrays($input,['iet','state','mold']) && arrayInArray($input['mold'],$sheet)){
$sql=[];
//查询语句
$sql['cost']=fastSql($input,[
[['mold'=>'type'],'fullIn'],
['iet','fullIn'],
['state','fullIn']
]);
//基础语句
$sql['base']=fastSql($input,[
[['number'=>'number'],'fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql['base'][]=['examine','=',1];
$sql['base'][]=['id','=',Db::raw('cost.class')];
$sql['base']=frameScope($sql['base']);
//场景匹配
foreach ($input['mold'] as $mold) {
if(in_array($mold,['buy','bre','entry'])){
//供应商
$sql[$mold]=array_merge($sql['base'],fastSql($input,[['supplier','fullEq']]));
}else if(in_array($mold,['sell','sre','extry'])){
//客户
$sql[$mold]=array_merge($sql['base'],fastSql($input,[['customer','fullEq']]));
}else{
//调拨单
$sql[$mold]=$sql['base'];
}
$sql[$mold]=sqlAuth($mold,$sql[$mold]);//数据鉴权
}
//构造查询
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold)->alias('class')->where([['cost.type','=',$mold]])->where($sql[$mold])->limit(1)->buildSql();
}
$union=implode(' UNION ALL ',$union);
$count=Costs::alias('cost')->where($sql['cost'])->whereExists($union)->count();
$info=Costs::with(['sourceData'=>['frameData'],'ietData'])->alias('cost')->where($sql['cost'])->whereExists($union)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//匹配往来单位
$currentList=['customer'=>[],'supplier'=>[]];
//匹配客戶
foreach (search($info)->where([['type','in',['sell','sre','extry']]])->select() as $item) {
$currentList['customer'][]=$item['sourceData']['customer'];
}
empty($currentList['customer'])||$currentList['customer']=Db::name('customer')->where([['id','in',array_unique($currentList['customer'])]])->select()->toArray();
//匹配供应商
foreach (search($info)->where([['type','in',['buy','bre','entry']]])->select() as $item) {
$currentList['supplier'][]=$item['sourceData']['supplier'];
}
empty($currentList['supplier'])||$currentList['supplier']=Db::name('supplier')->where([['id','in',array_unique($currentList['supplier'])]])->select()->toArray();
foreach ($info as $key=>$vo) {
//未结算金额
$info[$key]['uat']=math()->chain($vo['money'])->sub($vo['settle'])->done();
//往来单位
if(in_array($vo['type'],['buy','bre','entry'])){
$info[$key]['current']=search($currentList['supplier'])->where([['id','=',$vo['sourceData']['supplier']]])->find();
}else if(in_array($vo['type'],['sell','sre','extry'])){
$info[$key]['current']=search($currentList['customer'])->where([['id','=',$vo['sourceData']['customer']]])->find();
}else{
$info[$key]['current']=[];
}
$info[$key]['csa']='';
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//购销费用-导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
pushLog('导出购销费用');//日志
$info=Costs::with(['sourceData'=>['frameData'],'ietData'])->alias('cost')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//匹配往来单位
$currentList=['customer'=>[],'supplier'=>[]];
//匹配客戶
foreach (search($info)->where([['type','in',['sell','sre','extry']]])->select() as $item) {
$currentList['customer'][]=$item['sourceData']['customer'];
}
empty($currentList['customer'])||$currentList['customer']=Db::name('customer')->where([['id','in',array_unique($currentList['customer'])]])->select()->toArray();
//匹配供应商
foreach (search($info)->where([['type','in',['buy','bre','entry']]])->select() as $item) {
$currentList['supplier'][]=$item['sourceData']['supplier'];
}
empty($currentList['supplier'])||$currentList['supplier']=Db::name('supplier')->where([['id','in',array_unique($currentList['supplier'])]])->select()->toArray();
foreach ($info as $key=>$vo) {
//未结算金额
$info[$key]['uat']=math()->chain($vo['money'])->sub($vo['settle'])->done();
//往来单位
if(in_array($vo['type'],['buy','bre','entry'])){
$info[$key]['current']=search($currentList['supplier'])->where([['id','=',$vo['sourceData']['supplier']]])->find();
}else if(in_array($vo['type'],['sell','sre','extry'])){
$info[$key]['current']=search($currentList['customer'])->where([['id','=',$vo['sourceData']['customer']]])->find();
}else{
$info[$key]['current']=[];
}
}
$source=$info;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'购销费用'];
//表格数据
$field=[
'extension|type'=>'单据类型',
'sourceData|frameData|name'=>'所属组织',
'current|name'=>'往来单位',
'sourceData|time'=>'单据时间',
'sourceData|number'=>'单据编号',
'ietData|name'=>'支出类别',
'extension|state'=>'结算状态',
'money'=>'金额',
'settle'=>'已结算金额',
'uat'=>'未结算金额'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'单据总金额:'.mathArraySum(array_column($source,'money')),
'已结算总金额:'.mathArraySum(array_column($source,'settle')),
'未结算总金额:'.mathArraySum(array_column($source,'uat'))
]];
//导出execl
buildExcel('购销费用',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//生成其它支出单
public function buildOce(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//源数据
$list=Costs::with(['ietData'])->where([['id','in',array_column($input['parm'],'id')],['state','<>',2]])->order(['id'=>'asc'])->select()->toArray();
if(empty($list)){
$result=['state'=>'warning','info'=>'操作失败,无可结算数据!'];
}else{
//CLASS数据
$class=[
'total'=>0
];
//INFO数据
$info=[];
foreach ($list as $vo) {
$find=search($input['parm'])->where([['id','=',$vo['id']]])->find();
//判断结算金额
if(bccomp($find['csa'],math()->chain($vo['money'])->sub($vo['settle'])->done())==1){
$item=Costs::with(['sourceData'])->where([['id','=',$vo['id']]])->find();
return json(['state'=>'warning','info'=>'单据编号[ '.$item['sourceData']['number'].' ]结算金额不可大于未结算金额!']);
exit;
}else{
//转存数据
$info[]=[
'source'=>$vo['id'],
'iet'=>$vo['iet'],
'ietData'=>$vo['ietData'],
'money'=>$find['csa'],
'data'=>''
];
$class['total']=math()->chain($class['total'])->add($find['csa'])->done();//累加单据金额
}
}
$result=['state'=>'success','info'=>['class'=>$class,'info'=>$info]];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//报表数据
public function form(){
$input=input('post.');
$sheet=['buy','bre','sell','sre','entry','extry'];
existFull($input,['state'])||$input['state']=[1,2];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && is_arrays($input,['iet','state','mold']) && arrayInArray($input['state'],[1,2]) && arrayInArray($input['mold'],$sheet)){
$sql=[];
//查询语句
$sql['cost']=fastSql($input,[
[['mold'=>'type'],'fullIn'],
['iet','fullIn'],
['state','fullIn']
]);
//基础语句
$sql['base']=fastSql($input,[
[['number'=>'number'],'fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql['base'][]=['examine','=',1];
$sql['base'][]=['id','=',Db::raw('cost.class')];
$sql['base']=frameScope($sql['base']);
//场景匹配
foreach ($input['mold'] as $mold) {
if(in_array($mold,['buy','bre','entry'])){
$sql[$mold]=array_merge($sql['base'],fastSql($input,[['supplier','fullEq']]));
}else{
$sql[$mold]=array_merge($sql['base'],fastSql($input,[['customer','fullEq']]));
}
$sql[$mold]=sqlAuth($mold,$sql[$mold]);//数据鉴权
}
//构造查询
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold)->alias('class')->where([['cost.type','=',$mold]])->where($sql[$mold])->limit(1)->buildSql();
}
$union=implode(' UNION ALL ',$union);
$count=Costs::alias('cost')->where($sql['cost'])->whereExists($union)->count();
$info=Costs::with(['sourceData'=>['frameData'],'ietData'])->alias('cost')->where($sql['cost'])->whereExists($union)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//匹配往来单位
$currentList=['customer'=>[],'supplier'=>[]];
//匹配客戶
foreach (search($info)->where([['type','in',['sell','sre','extry']]])->select() as $item) {
$currentList['customer'][]=$item['sourceData']['customer'];
}
empty($currentList['customer'])||$currentList['customer']=Db::name('customer')->where([['id','in',array_unique($currentList['customer'])]])->select()->toArray();
//匹配供应商
foreach (search($info)->where([['type','in',['buy','bre','entry']]])->select() as $item) {
$currentList['supplier'][]=$item['sourceData']['supplier'];
}
empty($currentList['supplier'])||$currentList['supplier']=Db::name('supplier')->where([['id','in',array_unique($currentList['supplier'])]])->select()->toArray();
//查询子节点
if(!empty($info)){
$gather=CostInfo::with(['oceData'=>['frameData','supplierData']])->where([['pid','in',array_column($info,'id')]])->select()->toArray();
}
foreach ($info as $key=>$vo) {
$info[$key]['key']=$vo['id'];
//往来单位
if(in_array($vo['type'],['buy','bre','entry'])){
$info[$key]['current']=search($currentList['supplier'])->where([['id','=',$vo['sourceData']['supplier']]])->find();
}else if(in_array($vo['type'],['sell','sre','extry'])){
$info[$key]['current']=search($currentList['customer'])->where([['id','=',$vo['sourceData']['customer']]])->find();
}else{
$info[$key]['current']=[];
}
$node=[];
$costInfo=search($gather)->where([['pid','=',$vo['id']]])->select();
foreach($costInfo as $costInfoVo){
$node[]=[
'key'=>$costInfoVo['pid'].'_'.$costInfoVo['id'],
'extension'=>['type'=>'其它支出单','state'=>'-'],
'sourceData'=>$costInfoVo['oceData'],
'current'=>empty($costInfoVo['oceData']['supplier'])?['name'=>'']:$costInfoVo['oceData']['supplierData'],
'ietData'=>['name'=>'-'],
'money'=>$costInfoVo['money']
];
}
//匹配子节点
$info[$key]['node']=$node;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//购销费用报表-导出
public function formExports(){
$input=input('get.');
$sheet=['buy','bre','sell','sre','entry','extry'];
existFull($input,['iet'])||$input['iet']=[];
existFull($input,['state'])||$input['state']=[1,2];
existFull($input,['mold'])||$input['mold']=$sheet;
if(is_arrays($input,['iet','state','mold']) && arrayInArray($input['state'],[1,2]) && arrayInArray($input['mold'],$sheet)){
pushLog('导出购销费用报表');//日志
$sql=[];
//查询语句
$sql['cost']=fastSql($input,[
[['mold'=>'type'],'fullIn'],
['iet','fullIn'],
['state','fullIn']
]);
//基础语句
$sql['base']=fastSql($input,[
[['number'=>'number'],'fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql['base'][]=['examine','=',1];
$sql['base'][]=['id','=',Db::raw('cost.class')];
$sql['base']=frameScope($sql['base']);
//场景匹配
foreach ($input['mold'] as $mold) {
if(in_array($mold,['buy','bre','entry'])){
$sql[$mold]=array_merge($sql['base'],fastSql($input,[['supplier','fullEq']]));
}else{
$sql[$mold]=array_merge($sql['base'],fastSql($input,[['customer','fullEq']]));
}
$sql[$mold]=sqlAuth($mold,$sql[$mold]);//数据鉴权
}
//构造查询
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold)->alias('class')->where([['cost.type','=',$mold]])->where($sql[$mold])->limit(1)->buildSql();
}
$union=implode(' UNION ALL ',$union);
$info=Costs::with(['sourceData'=>['frameData'],'ietData'])->alias('cost')->where($sql['cost'])->whereExists($union)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//匹配往来单位
$currentList=['customer'=>[],'supplier'=>[]];
//匹配客戶
foreach (search($info)->where([['type','in',['sell','sre','extry']]])->select() as $item) {
$currentList['customer'][]=$item['sourceData']['customer'];
}
empty($currentList['customer'])||$currentList['customer']=Db::name('customer')->where([['id','in',array_unique($currentList['customer'])]])->select()->toArray();
//匹配供应商
foreach (search($info)->where([['type','in',['buy','bre','entry']]])->select() as $item) {
$currentList['supplier'][]=$item['sourceData']['supplier'];
}
empty($currentList['supplier'])||$currentList['supplier']=Db::name('supplier')->where([['id','in',array_unique($currentList['supplier'])]])->select()->toArray();
//查询子节点
if(!empty($info)){
$gather=CostInfo::with(['oceData'=>['frameData','supplierData']])->where([['pid','in',array_column($info,'id')]])->select()->toArray();
}
foreach ($info as $key=>$vo) {
$info[$key]['key']=$vo['id'];
//往来单位
if(in_array($vo['type'],['buy','bre','entry'])){
$info[$key]['current']=search($currentList['supplier'])->where([['id','=',$vo['sourceData']['supplier']]])->find();
}else if(in_array($vo['type'],['sell','sre','extry'])){
$info[$key]['current']=search($currentList['customer'])->where([['id','=',$vo['sourceData']['customer']]])->find();
}else{
$info[$key]['current']=[];
}
$node=[];
$costInfo=search($gather)->where([['pid','=',$vo['id']]])->select();
foreach($costInfo as $costInfoVo){
$node[]=[
'key'=>$costInfoVo['pid'].'_'.$costInfoVo['id'],
'extension'=>['type'=>'其它支出单','state'=>'-'],
'sourceData'=>$costInfoVo['oceData'],
'current'=>empty($costInfoVo['oceData']['supplier'])?['name'=>'']:$costInfoVo['oceData']['supplierData'],
'ietData'=>['name'=>'-'],
'money'=>$costInfoVo['money']
];
}
//匹配子节点
$info[$key]['node']=$node;
}
//结构重组
$source=[];
foreach ($info as $infoVo) {
$source[]=$infoVo;
if(!empty($infoVo['node'])){
foreach ($infoVo['node'] as $nodeVo) {
$nodeVo['extension']['type']='|- '.$nodeVo['extension']['type'];
$source[]=$nodeVo;
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'购销费用报表'];
//表格数据
$field=[
'extension|type'=>'单据类型',
'sourceData|frameData|name'=>'所属组织',
'current|name'=>'往来单位',
'sourceData|time'=>'单据时间',
'sourceData|number'=>'单据编号',
'ietData|name'=>'支出类别',
'extension|state'=>'结算状态',
'money'=>'金额'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source)
]];
//导出execl
buildExcel('购销费用报表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
}

1869
serve/app/controller/Crt.php Normal file

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,258 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\{Customer as Customers,Sys};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Customer extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['category','fullEq'],
['grade','fullEq'],
['contacts','fullLike'],
[['tel'=>'contacts'],'fullLike'],
['user','fullEq'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('customer',$sql);//数据鉴权
$count = Customers::where($sql)->count();//获取总条数
$info = Customers::with(['frameData','userData'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//构造|验证
try {
//排除balance字段|防止更新应收款余额
unset($input['balance']);
$input['py']=zhToPy($input['name']);//首拼信息
empty($input['id'])?$this->validate($input,'app\validate\Customer'):$this->validate($input,'app\validate\Customer.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Customers::create($input);
pushLog('新增客户[ '.$input['name'].' ]');//日志
}else{
//更新数据
Customers::update($input);
pushLog('更新客户[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Customers::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//关联判断
$exists=[
['table'=>'sor','where'=>[['customer','in',$input['parm']]]],
['table'=>'sell','where'=>[['customer','in',$input['parm']]]],
['table'=>'sre','where'=>[['customer','in',$input['parm']]]],
['table'=>'extry','where'=>[['customer','in',$input['parm']]]],
['table'=>'imy','where'=>[['customer','in',$input['parm']]]],
['table'=>'bill','where'=>[['customer','in',$input['parm']]]],
['table'=>'ice','where'=>[['customer','in',$input['parm']]]]
];
//多值匹配
foreach($input['parm'] as $v){
$exists[]=['table'=>'deploy','where'=>[['source','like','%"customer":'.$v.'%']]];
}
$exist=moreTableFind($exists);
if(empty($exist)){
//逻辑处理
$data=Db::name('customer')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
Db::name('customer')->where([['id','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除客户[ '.implode(' | ',array_column($data,'name')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
$sql=[];//初始化SQL
$frame=Db::name('frame')->where([['name','in',array_column($data,'C')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'name'=>$dataVo['A'],
'py'=>zhToPy($dataVo['A']),
'number'=>$dataVo['B'],
'frame'=>$dataVo['C'],
'user'=>getUserID(),
'category'=>$dataVo['D'],
'grade'=>$dataVo['E'],
'bank'=>$dataVo['F'],
'account'=>$dataVo['G'],
'tax'=>$dataVo['H'],
'data'=>$dataVo['I'],
'contacts'=>(empty($dataVo['J'])&&empty($dataVo['K']))?[]:[['main'=>true,'name'=>$dataVo['J'],'tel'=>$dataVo['K'],'add'=>$dataVo['L'],'data'=>$dataVo['M']]],
'more'=>[]
];
//所属组织匹配
$frameFind=search($frame)->where([['name','=',$record['frame']]])->find();
if(empty($frameFind)){
throw new ValidateException('模板文件第'.$dataKey.'行所属组织[ '.$record['frame'].' ]未匹配!');
}else{
$record['frame']=$frameFind['id'];
}
try {
//数据合法性验证
$this->validate($record,'app\validate\Customer');
$sql[]=$record;//加入SQL
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第[ '.$dataKey.' ]行'.$e->getError()]);
exit;
}
}
//判断编号重复
$column=array_column($sql,'number');
$unique=array_unique($column);
$diff=array_diff_assoc($column,$unique);
if(!empty($diff)){
//返回错误信息
return json(['state'=>'error','info'=>'模板文件客户编号[ '.implode(' | ',$diff).' ]重复!']);
}
//处理关联数据
foreach($sql as $sqlKey=>$sqlVo){
$sys=getSys(['crCategory','crGrade']);
//客户类别
if(!in_array($sqlVo['category'],$sys['crCategory'])){
$sys['crCategory'][]=$sqlVo['category'];
Sys::where([['name','=','crCategory']])->update(['info'=>json_encode($sys['crCategory'])]);
}
//客户等级
if(!in_array($sqlVo['grade'],$sys['crGrade'])){
$sys['crGrade'][]=$sqlVo['grade'];
Sys::where([['name','=','crGrade']])->update(['info'=>json_encode($sys['crGrade'])]);
}
}
//新增数据
$customer = new Customers;
$customer->saveAll($sql);
pushLog('批量导入[ '.count($sql).' ]条客户数据');//日志
$result=['state'=>'success','info'=>'成功导入'.count($sql).'行客户数据'];
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$info=Customers::with(['frameData','userData'])->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();//查询数据
foreach ($info as $infoKey=>$infoVo) {
$contactsArr=[];
foreach ($infoVo['contacts'] as $contactsVo) {
$contactsArr[]=$contactsVo['name'].' | '.$contactsVo['tel'].' | '.$contactsVo['add'].' | '.$contactsVo['data'];
}
$info[$infoKey]['contacts']=implode(chr(10),$contactsArr);
}
$field=[
'name'=>'客户名称',
'number'=>'客户编号',
'category'=>'客户类别',
'grade'=>'客户等级',
'bank'=>'开户银行',
'account'=>'银行账号',
'tax'=>'纳税号码',
'balance'=>'应收款余额',
'frameData|name'=>'所属组织',
'userData|name'=>'所属用户',
'data'=>'备注信息',
'contacts'=>'联系资料'
];
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'客户信息'];
//表格数据
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($info)]];
//导出execl
pushLog('导出客户信息');//日志
buildExcel('客户信息',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,93 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\Deploy as Deploys;
use think\facade\Db;
use think\exception\ValidateException;
class Deploy extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
['frame','noNullEq'],
['data','fullLike']
]);//构造SQL
$count = Deploys::where($sql)->count();//获取总条数
$info = Deploys::with(['frameData'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Deploy'):$this->validate($input,'app\validate\Deploy.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Deploys::create($input);
pushLog('新增零售配置');//日志
}else{
//更新数据
Deploys::update($input);
pushLog('更新零售配置');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Deploys::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
Db::startTrans();
try {
Db::name('deploy')->where([['id','=',$input['id']]])->delete();
pushLog('删除零售配置');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,976 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Entry as Entrys,EntryInfo,Cost,Goods};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Entry extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['supplier','fullEq'],
['number','fullLike'],
['people','fullEq'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['type','fullDec1'],
['examine','fullDec1'],
['cse','fullDec1'],
['check','fullDec1'],
['user','fullEq'],
['data','fullLike']
]);//构造SQL
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['id','in',array_column(Db::name('entry_info')->where([['goods','in',$goods]])->select()->toArray(),'pid')];
}
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('entry',$sql);//数据鉴权
$count = Entrys::where($sql)->count();//获取总条数
$info = Entrys::with(['frameData','peopleData','userData','costData','recordData','supplierData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id']) && isset($input['cost'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['cse']=empty($class['cost'])?3:0;
$class['examine']=0;
empty($class['id'])?$this->validate($class,'app\validate\Entry'):$this->validate($class,'app\validate\Entry.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\EntryInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'商品信息第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//验证Cost
foreach ($input['cost'] as $costKey=>$costVo) {
try {
$this->validate($costVo,'app\validate\Cost');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'单据费用第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Entrys::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'entry','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增其它入库单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Entrys::update($class);
Db::name('record')->insert(['type'=>'entry','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新其它入库单[ '.$class['number'].' ]');//日志
}
//INFO数据
EntryInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new EntryInfo;
$model->saveAll($input['info']);
//COST数据
Cost::where([['type','=','entry'],['class','=',$class['id']]])->delete();
foreach ($input['cost'] as $costKey=>$costVo) {
unset($input['cost'][$costKey]['id']);
$input['cost'][$costKey]['type']='entry';
$input['cost'][$costKey]['class']=$class['id'];
$input['cost'][$costKey]['time']=$class['time'];
$input['cost'][$costKey]['settle']=0;
$input['cost'][$costKey]['state']=0;
}
$model = new Cost;
$model->saveAll($input['cost']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Entrys::where([['id','=',$input['parm']]])->find();
$info=EntryInfo::with(['goodsData','warehouseData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$cost=Cost::where([['type','=','entry'],['class','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
'cost'=>$cost
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('entry')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('entry')->where([['id','in',$input['parm']]])->delete();
Db::name('entry_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('cost')->where([['type','=','entry'],['class','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','entry'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除其它入库单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//核对|反核对
public function check(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$period=getPeriod();
$classList=Db::name('entry')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
foreach ($input['parm'] as $parmVo) {
$class=search($classList)->where([['id','=',$parmVo]])->find();
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(empty($class['check'])){
Db::name('entry')->where([['id','=',$class['id']]])->update(['check'=>1]);
//1 单据记录
Db::name('record')->insert(['type'=>'entry','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'核对单据']);
//2 记录操作
pushLog('核对其它入库单[ '.$class['number'].' ]');//单据日志
}else{
Db::name('entry')->where([['id','=',$class['id']]])->update(['check'=>0]);
//1 单据记录
Db::name('record')->insert(['type'=>'entry','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反核对单据']);
//2 记录操作
pushLog('反核对其它入库单[ '.$class['number'].' ]');//单据日志
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('entry')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$infoList=Db::name('entry_info')->where([['pid','in',$input['parm']]])->order(['id'=>'asc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
$info=search($infoList)->where([['pid','=',$parmVo]])->select();
//1.1 商品数据
$goodsList=Db::name('goods')->where([['id','in',array_unique(array_column($info,'goods'))]])->select()->toArray();
//1.2 综合匹配
if(empty($class['examine'])){
//1 构造数据
$batchGather=[];
$serialGather=[];
$roomWhereOrSql=[];
foreach ($info as $infoVo) {
//1 批次号
empty($infoVo['batch'])||$batchGather[]=$infoVo['batch'];
//2 序列号
$serialGather=array_merge($serialGather,json_decode($infoVo['serial']));
//3 仓储条件
empty($infoVo['warehouse'])||$roomWhereOrSql[]=[['warehouse','=',$infoVo['warehouse']],['goods','=',$infoVo['goods']],['attr','=',$infoVo['attr']]];
}
//2 匹配数据
empty($batchGather)||$batchList=Db::name('batch')->where([['number','in',$batchGather]])->select()->toArray();
empty($serialGather)||$serialList=Db::name('serial')->where([['number','in',$serialGather]])->select()->toArray();
if(!empty($roomWhereOrSql)){
//1 去重转存
$roomWhereOrSql=array_unique($roomWhereOrSql,SORT_REGULAR);
//2 仓储匹配
$roomList=Db::name('room')->whereOr($roomWhereOrSql)->select()->toArray();
}
}
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(!empty($class['examine'])){
//单据费用
$cost=Db::name('cost')->alias('cost')->where([['type','=','entry'],['class','=',$class['id']]])->whereExists(function($query){
$query->name('oce_info')->where([['source','=',Db::raw('cost.id')]])->limit(1);
})->find();
if(!empty($cost)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该单据存在关联其它支出单!']);
exit;
}
}
//3 INFO验证|构造
foreach ($info as $infoKey=>$infoVo) {
//1 匹配商品
$goods=search($goodsList)->where([['id','=',$infoVo['goods']]])->find();
//2 商品类型
if(empty($goods['type'])){
//场景验证
if(empty($class['examine'])){
//1 多单位处理
if($goods['unit']==-1){
//多单位|转存
$radix=unitRadix($infoVo['unit'],json_decode($goods['units'],true));
$info[$infoKey]['basic']=[
'nums'=>math()->chain($infoVo['nums'])->mul($radix)->done(),
'price'=>math()->chain($infoVo['price'])->div($radix)->round(4)->done()
];
}else{
//常规单位|转存
$info[$infoKey]['basic']=[
'nums'=>$infoVo['nums'],
'price'=>$infoVo['price']
];
}
//2 序列号
$serialData=json_decode($infoVo['serial']);
if(empty($serialData)){
$info[$infoKey]['serial']=[];
}else{
//序列号状态[不存在|已退货]
$serialFind=search($serialList)->where([['goods','=',$infoVo['goods']],['number','in',$serialData],['state','<>',3]])->find();
if(empty($serialFind)){
$info[$infoKey]['serial']=$serialData;
}else{
return json(['state'=>'error','info'=>'审核单据[ '.$class['number'].' ]失败,原因:第'.($infoKey+1).'行序列号[ '.$serialFind['number'].' ]状态不正确!']);
exit;
}
}
}else{
//1 验证序列号
$serialInfoCollect=Db::name('serial_info')->where([['type','=','entry'],['info','in',array_column($info,'id')]])->select()->toArray();
if(!empty($serialInfoCollect)){
//序列号状态[未销售]
$serialFind=Db::name('serial')->where([['id','in',array_column($serialInfoCollect,'pid')],['state','<>',0]])->find();
if(!empty($serialFind)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:第'.($infoKey+1).'行序列号[ '.$serialFind['number'].' ]状态不正确!']);
exit;
}
}
}
}
}
//4 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 构造数据
$store=['room'=>[],'roomInfo'=>[],'batch'=>[],'batchInfo'=>[],'serial'=>[],'serialInfo'=>[],'serve'=>[],'serveInfo'=>[]];
foreach ($info as $infoKey=>$infoVo){
//判断商品类型
$goods=search($goodsList)->where([['id','=',$infoVo['goods']]])->find();
if(empty($goods['type'])){
//常规商品
//1 仓储
$store['room'][]=['warehouse'=>$infoVo['warehouse'],'goods'=>$infoVo['goods'],'attr'=>$infoVo['attr'],'nums'=>$infoVo['basic']['nums']];
//2 仓储详情
$store['roomInfo'][]=['pid'=>null,'type'=>'entry','class'=>$class['id'],'info'=>$infoVo['id'],'time'=>$class['time'],'direction'=>1,'price'=>$infoVo['basic']['price'],'nums'=>$infoVo['basic']['nums']];
//3 批次号
if(empty($infoVo['batch'])){
$store['batch'][]=[];
$store['batchInfo'][]=[];
}else{
$store['batch'][]=['room'=>null,'warehouse'=>$infoVo['warehouse'],'goods'=>$infoVo['goods'],'number'=>$infoVo['batch'],'time'=>$infoVo['mfd'],'nums'=>$infoVo['basic']['nums']];
$store['batchInfo'][]=['pid'=>null,'type'=>'entry','class'=>$class['id'],'info'=>$infoVo['id'],'direction'=>1,'nums'=>$infoVo['basic']['nums']];
}
//4 序列号
if(empty($infoVo['serial'])){
$store['serial'][]=[];
$store['serialInfo'][]=[];
}else{
$serial=[];
$serialInfo=[];
foreach ($infoVo['serial'] as $serialVo) {
$serial[]=['room'=>null,'warehouse'=>$infoVo['warehouse'],'batch'=>null,'goods'=>$infoVo['goods'],'number'=>$serialVo,'state'=>0];
$serialInfo[]=['pid'=>null,'type'=>'entry','class'=>$class['id'],'info'=>$infoVo['id']];
}
$store['serial'][]=$serial;
$store['serialInfo'][]=$serialInfo;
}
}else{
//5 服务商品
$store['serve'][]=['goods'=>$infoVo['goods'],'attr'=>$infoVo['attr'],'nums'=>$infoVo['nums']];
$store['serveInfo'][]=['pid'=>null,'type'=>'entry','class'=>$class['id'],'info'=>$infoVo['id'],'time'=>$class['time'],'price'=>$infoVo['price'],'nums'=>$infoVo['nums']];
}
}
//2 仓储
if(!empty($store['room'])){
//1 构造数据
$roomInsert=[];
foreach ($store['room'] as $roomVo) {
$roomFind=search($roomList)->where([['warehouse','=',$roomVo['warehouse']],['goods','=',$roomVo['goods']],['attr','=',$roomVo['attr']]])->find();
if(empty($roomFind)){
$roomVo['nums']=0;
$roomInsert[]=$roomVo;
}
}
//2 创建数据|去重
empty($roomInsert)||Db::name('room')->insertAll(array_unique($roomInsert,SORT_REGULAR));
//3 匹配主键|构造更新
$roomDuplicate=[];
$room=Db::name('room')->whereOr($roomWhereOrSql)->select()->toArray();
foreach ($store['room'] as $roomKey=>$roomVo) {
$roomFind=search($room)->where([['warehouse','=',$roomVo['warehouse']],['goods','=',$roomVo['goods']],['attr','=',$roomVo['attr']]])->find();
$store['room'][$roomKey]['id']=$roomFind['id'];
$roomDuplicate[]=['id'=>$roomFind['id'],'nums'=>$roomVo['nums']];
}
//4 更新数据
Db::name('room')->duplicate(['nums'=>Db::raw('nums + VALUES(`nums`)')])->insertAll($roomDuplicate);
}
//3 仓储详情
if(!empty($store['roomInfo'])){
//1 填充数据
foreach ($store['roomInfo'] as $roomInfoKey=>$roomInfoVo) {
$store['roomInfo'][$roomInfoKey]['pid']=$store['room'][$roomInfoKey]['id'];
}
//2 创建数据
Db::name('room_info')->insertAll($store['roomInfo']);
}
//4 批次号
if(!empty($store['batch'])){
//1 构造数据
$batchData=[];
foreach ($store['batch'] as $batchKey=>$batchVo) {
if(!empty($batchVo)){
$store['batch'][$batchKey]['room']=$store['room'][$batchKey]['id'];
$batchData[]=$store['batch'][$batchKey];
}
}
//2 排除数据|[[],[],[]]
if(!empty($batchData)){
//1 构造数据
$batchInsert=[];
foreach ($batchData as $batchDataKey=>$batchDataVo) {
$batchFind=search($batchList)->where([['room','=',$batchDataVo['room']],['number','=',$batchDataVo['number']],['time','=',$batchDataVo['time']]])->find();
if(empty($batchFind)){
$batchDataVo['nums']=0;
$batchInsert[]=$batchDataVo;
}
}
//2 创建数据|去重
empty($batchInsert)||Db::name('batch')->insertAll(array_unique($batchInsert,SORT_REGULAR));
//3 匹配主键|构造更新
$batchDuplicate=[];
$batch=Db::name('batch')->where([['number','in',$batchGather]])->select()->toArray();
foreach ($store['batch'] as $batchKey=>$batchVo) {
if(!empty($batchVo)){
$batchFind=search($batch)->where([['room','=',$batchVo['room']],['number','=',$batchVo['number']],['time','=',$batchVo['time']]])->find();
$store['batch'][$batchKey]['id']=$batchFind['id'];
$batchDuplicate[]=['id'=>$batchFind['id'],'nums'=>$batchVo['nums']];
}
}
//4 更新数据
Db::name('batch')->duplicate(['nums'=>Db::raw('nums + VALUES(`nums`)')])->insertAll($batchDuplicate);
}
}
//5 批次号详情
if(!empty($store['batchInfo'])){
//1 构造数据
$batchInfoInstall=[];
foreach ($store['batchInfo'] as $batchInfoKey=>$batchInfoVo) {
if(!empty($batchInfoVo)){
$batchInfoVo['pid']=$store['batch'][$batchInfoKey]['id'];
$batchInfoInstall[]=$batchInfoVo;
}
}
//2 排除数据|[[],[],[]]
if(!empty($batchInfoInstall)){
//创建数据
Db::name('batch_info')->insertAll($batchInfoInstall);
}
}
//6 序列号
if(!empty($store['serial'])){
//1 构造数据
$serialData=[];
foreach ($store['serial'] as $serialKey=>$item) {
if(!empty($item)){
foreach ($item as $itemKey=>$itemVo) {
$store['serial'][$serialKey][$itemKey]['room']=$store['room'][$serialKey]['id'];
$store['serial'][$serialKey][$itemKey]['batch']=empty($store['batch'][$serialKey])?0:$store['batch'][$serialKey]['id'];
$serialData[]=$store['serial'][$serialKey][$itemKey];
}
}
}
//2 排除数据|[[],[],[]]
if(!empty($serialData)){
//1 构造数据
$serialInsert=[];
foreach ($serialData as $serialDataKey=>$serialDataVo) {
$serialFind=search($serialList)->where([['room','=',$serialDataVo['room']],['batch','=',$serialDataVo['batch']],['number','=',$serialDataVo['number']]])->find();
if(empty($serialFind)){
$serialInsert[]=$serialDataVo;
}
}
//2 创建数据
empty($serialInsert)||Db::name('serial')->insertAll($serialInsert);
//3 匹配主键|构造更新
$serialDuplicate=[];
$serial=Db::name('serial')->where([['number','in',$serialGather]])->select()->toArray();
foreach ($store['serial'] as $serialKey=>$item) {
if(!empty($item)){
foreach ($item as $itemKey=>$itemVo) {
$serialFind=search($serial)->where([['room','=',$itemVo['room']],['batch','=',$itemVo['batch']],['number','=',$itemVo['number']]])->find();
$store['serial'][$serialKey][$itemKey]['id']=$serialFind['id'];
$serialFind['state']==3&&$serialDuplicate[]=$serialFind['id'];
}
}
}
//4 更新数据|状态变更
empty($serialDuplicate)||Db::name('serial')->where([['id','in',$serialDuplicate]])->update(['state'=>0]);
}
}
//7 序列号详情
if(!empty($store['serialInfo'])){
//1 构造数据
$serialInfoInstall=[];
foreach ($store['serialInfo'] as $serialInfoKey=>$item) {
if(!empty($item)){
foreach ($item as $itemKey=>$itemVo) {
$itemVo['pid']=$store['serial'][$serialInfoKey][$itemKey]['id'];
$serialInfoInstall[]=$itemVo;
}
}
}
//2 排除数据|[[],[],[]]
if(!empty($serialInfoInstall)){
//创建数据
Db::name('serial_info')->insertAll($serialInfoInstall);
}
}
//8 服务商品
if(!empty($store['serve'])){
//1 匹配数据|去重
$serveWhereOrSql=array_unique(array_map(function($item){
return [['goods','=',$item['goods']],['attr','=',$item['attr']]];
},$store['serve']),SORT_REGULAR);
$serve=Db::name('serve')->whereOr($serveWhereOrSql)->select()->toArray();
//2 构造数据
$serveInsert=[];
foreach ($store['serve'] as $serveVo) {
$serveFind=search($serve)->where([['goods','=',$serveVo['goods']],['attr','=',$serveVo['attr']]])->find();
if(empty($serveFind)){
$serveVo['nums']=0;
$serveInsert[]=$serveVo;
}
}
//3 创建数据|去重
empty($serveInsert)||Db::name('serve')->insertAll(array_unique($serveInsert,SORT_REGULAR));
//4 匹配主键|构造更新
$serveDuplicate=[];
$serve=Db::name('serve')->whereOr($serveWhereOrSql)->select()->toArray();
foreach ($store['serve'] as $serveKey=>$serveVo) {
$serveFind=search($serve)->where([['goods','=',$serveVo['goods']],['attr','=',$serveVo['attr']]])->find();
$store['serve'][$serveKey]['id']=$serveFind['id'];
$serveDuplicate[]=['id'=>$serveFind['id'],'nums'=>$serveVo['nums']];
}
//5 更新数据
Db::name('serve')->duplicate(['nums'=>Db::raw('nums + VALUES(`nums`)')])->insertAll($serveDuplicate);
}
//9 服务商品详情
if(!empty($store['serveInfo'])){
//1 填充数据
foreach ($store['serveInfo'] as $serveInfoKey=>$serveInfoVo) {
$store['serveInfo'][$serveInfoKey]['pid']=$store['serve'][$serveInfoKey]['id'];
}
//2 创建数据
Db::name('serve_info')->insertAll($store['serveInfo']);
}
//10 更新单据
Db::name('entry')->where([['id','=',$class['id']]])->update(['examine'=>1]);
//11 单据记录
Db::name('record')->insert(['type'=>'entry','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//12 收发记录
$summary=new Summary;
$summary->note('entry',$class['id'],true);
//13 记录操作
pushLog('审核其它入库单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//1 匹配数据
$listSql=[['type','=','entry'],['info','in',array_column($info,'id')]];
$roomInfoList=Db::name('room_info')->where($listSql)->select()->toArray();
$batchInfoList=Db::name('batch_info')->where($listSql)->select()->toArray();
$serialInfoList=Db::name('serial_info')->where($listSql)->select()->toArray();
$serveInfoList=Db::name('serve_info')->where($listSql)->select()->toArray();
//1 仓储
$roomDuplicate=[];
foreach ($roomInfoList as $roomInfoVo) {
$roomDuplicate[]=['id'=>$roomInfoVo['pid'],'nums'=>$roomInfoVo['nums']];
}
//2.1 更新仓储
Db::name('room')->duplicate(['nums'=>Db::raw('nums - VALUES(`nums`)')])->insertAll($roomDuplicate);
//2.2 删除仓储详情
Db::name('room_info')->where([['id','in',array_column($roomInfoList,'id')]])->delete();
//2.3 仓储|冗余
$roomPk=array_unique(array_column($roomInfoList,'pid'));
$roomInfoData=Db::name('room_info')->where([['pid','in',$roomPk]])->select()->toArray();
$roomDiff=array_diff($roomPk,array_unique(array_column($roomInfoData,'pid')));
empty($roomDiff)||Db::name('room')->where([['id','in',$roomDiff]])->delete();
//3 批次号
if(!empty($batchInfoList)){
//1 构造数据
$batchInfoDuplicate=array_map(function($item){
return ['id'=>$item['pid'],'nums'=>$item['nums']];
},$batchInfoList);
//2 更新批次号
Db::name('batch')->duplicate(['nums'=>Db::raw('nums - VALUES(`nums`)')])->insertAll($batchInfoDuplicate);
//3 删除批次号详情
Db::name('batch_info')->where([['id','in',array_column($batchInfoList,'id')]])->delete();
//4 批次号|冗余
$batchPk=array_unique(array_column($batchInfoList,'pid'));
$batchInfoData=Db::name('batch_info')->where([['pid','in',$batchPk]])->select()->toArray();
$batchDiff=array_diff($batchPk,array_unique(array_column($batchInfoData,'pid')));
empty($batchDiff)||Db::name('batch')->where([['id','in',$batchDiff]])->delete();
}
//4 序列号
if(!empty($serialInfoList)){
//1 更新序列号
Db::name('serial')->where([['id','in',array_column($serialInfoList,'pid')]])->update(['state'=>3]);
//2 删除序列号详情
Db::name('serial_info')->where([['id','in',array_column($serialInfoList,'id')]])->delete();
//3 序列号|冗余
$serialPk=array_unique(array_column($serialInfoList,'pid'));
$serialInfoData=Db::name('serial_info')->where([['pid','in',$serialPk]])->select()->toArray();
$serialDiff=array_diff($serialPk,array_unique(array_column($serialInfoData,'pid')));
empty($serialDiff)||Db::name('serial')->where([['id','in',$serialDiff]])->delete();
}
//5 服务
if(!empty($serveInfoList)){
//1 构造数据
$serveInfoDuplicate=array_map(function($item){
return ['id'=>$item['pid'],'nums'=>$item['nums']];
},$serveInfoList);
//2 更新服务
Db::name('serve')->duplicate(['nums'=>Db::raw('nums - VALUES(`nums`)')])->insertAll($serveInfoDuplicate);
//3 删除服务详情
Db::name('serve_info')->where([['id','in',array_column($serveInfoList,'id')]])->delete();
//4 服务|冗余
$servePk=array_unique(array_column($serveInfoList,'pid'));
$serveInfoData=Db::name('serve_info')->where([['pid','in',$servePk]])->select()->toArray();
$serveDiff=array_diff($servePk,array_unique(array_column($serveInfoData,'pid')));
empty($serveDiff)||Db::name('serve')->where([['id','in',$serveDiff]])->delete();
}
//6 更新单据
Db::name('entry')->where([['id','=',$class['id']]])->update(['examine'=>0]);
//7 单据记录
Db::name('record')->insert(['type'=>'entry','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//8 收发记录
$summary=new Summary;
$summary->note('entry',$class['id'],false);
//9 记录操作
pushLog('反审核其它入库单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('entry', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//单据类型匹配
if(in_array($data[3]['D'],['其它入库单','盘盈单'])){
$type=$data[3]['D']=="其它入库单"?0:1;
}else{
throw new ValidateException('单据类型[ '.$data[3]['D'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['F'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['F']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['F'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'supplier'=>$data[3]['A'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'type'=>$type,
'total'=>0,
'people'=>$people['id'],
'logistics'=>["key"=>"auto","name"=>"自动识别","number"=>$data[3]['G']],
'file'=>[],
'data'=>$data[3]['H'],
'more'=>[],
'examine'=>0,
'cse'=>0,
'check'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Entry');//数据合法性验证
//初始化INFO
$info=[];
$goods=Goods::with(['attr'])->where([['name','in',array_column($data,'I')]])->select()->toArray();
$warehouse=Db::name('warehouse')->where([['name','in',array_column($data,'L')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'goods'=>$dataVo['I'],
'attr'=>$dataVo['J'],
'unit'=>$dataVo['K'],
'warehouse'=>$dataVo['L'],
'batch'=>$dataVo['M'],
'mfd'=>$dataVo['N'],
'price'=>$dataVo['O'],
'nums'=>$dataVo['P'],
'serial'=>explode(',',$dataVo['Q']),
'total'=>0,
'data'=>$dataVo['S']
];
//商品匹配
$goodsFind=search($goods)->where([['name','=',$record['goods']]])->find();
if(empty($goodsFind)){
throw new ValidateException('模板文件第'.$dataKey.'行商品名称[ '.$record['goods'].' ]未匹配!');
}else{
$record['goods']=$goodsFind['id'];
}
//辅助属性匹配
if(empty($goodsFind['attr'])){
$record['attr']='';
}else{
if(empty($record['attr'])){
throw new ValidateException('模板文件第'.$dataKey.'行辅助属性不可为空!');
}else{
$attrFind=search($goodsFind['attr'])->where([['name','=',$record['attr']]])->find();
if(empty($attrFind)){
throw new ValidateException('模板文件第'.$dataKey.'行辅助属性[ '.$record['attr'].' ]未匹配!');
}
}
}
//单位匹配
if($goodsFind['unit']==-1){
if(empty($record['unit'])){
throw new ValidateException('模板文件第'.$dataKey.'行单位不可为空!');
}else{
$unitFind=search($goodsFind['units'])->where([['name','=',$record['unit']]])->find();
if(empty($unitFind) && $goodsFind['units'][0]['source']!=$record['unit']){
throw new ValidateException('模板文件第'.$dataKey.'行单位[ '.$record['unit'].' ]未匹配!');
}
}
}else{
$record['unit']=$goodsFind['unit'];
}
//仓库匹配
if(empty($goodsFind['type'])){
//常规产品
$warehouseFind=search($warehouse)->where([['name','=',$record['warehouse']]])->find();
if(empty($warehouseFind)){
throw new ValidateException('模板文件第'.$dataKey.'行仓库[ '.$record['warehouse'].' ]未匹配!');
}else{
$record['warehouse']=$warehouseFind['id'];
}
}else{
//服务产品
$record['warehouse']=null;
}
//批次号匹配
if(empty($goodsFind['batch'])){
$record['batch']='';
}else{
if(empty($record['batch'])){
throw new ValidateException('模板文件第'.$dataKey.'行批次号不可为空!');
}
}
//生产日期匹配
if(empty($goodsFind['validity'])){
$record['mfd']='';
}else{
if(empty($record['mfd'])){
throw new ValidateException('模板文件第'.$dataKey.'行生产日期不可为空!');
}
}
//成本匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['price'])){
throw new ValidateException('模板文件第'.$dataKey.'行成本不正确!');
}
//数量匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['nums']."})?$/",$record['nums'])){
throw new ValidateException('模板文件第'.$dataKey.'行数量不正确!');
}
//序列号匹配
if(empty($goodsFind['serial'])){
$record['serial']=[];
}else{
if(count($record['serial'])==1 && empty($record['serial'][0])){
throw new ValidateException('模板文件第'.$dataKey.'行序列号不可为空!');
}else{
if(count($record['serial'])!=$record['nums']){
throw new ValidateException('模板文件第'.$dataKey.'行序列号个数与数量不符!');
}
}
}
try{
$this->validate($record,'app\validate\EntryInfo');//数据合法性验证
$record['total']=math()->chain($record['price'])->mul($record['nums'])->round($fun['digit']['money'])->done();
//转存数据
$class['total']=math()->chain($class['total'])->add($record['total'])->done();//累加单据成本
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
//序列号重复验证
$serials=[];
foreach ($info as $infoVo) {
$serials = array_merge($serials,$infoVo['serial']);
}
if(count($serials)!=count(array_unique($serials))){
throw new ValidateException('商品信息中存在重复序列号!');
}
Db::startTrans();
try {
//新增CLASS
$classData=Entrys::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new EntryInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'entry','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入其它入库单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出其它入库单列表');//日志
$source=Entrys::with(['frameData','peopleData','userData','recordData','supplierData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'其它入库单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'supplierData|name'=>'供应商',
'extension|type'=>'单据类型',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据成本',
'cost'=>'单据费用',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'extension|cse'=>'费用状态',
'extension|check'=>'核对状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总单据成本:'.mathArraySum(array_column($source,'total')),
'总单据费用:'.mathArraySum(array_column($source,'cost'))
]];
//导出execl
buildExcel('其它入库单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'其它入库单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'供应商:'.$sourceVo['supplierData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'goodsData|name'=>'商品名称',
'goodsData|spec'=>'规格型号',
'attr'=>'辅助属性',
'unit'=>'单位',
'warehouseData|name'=>'仓库',
'batch'=>'批次号',
'mfd'=>'生产日期',
'price'=>'成本',
'nums'=>'数量',
'extension|serial'=>'序列号',
'total'=>'总成本',
'data'=>'备注信息'
];
//构造表内数据
$info=EntryInfo::with(['goodsData','warehouseData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->append(['extension'])->select()->toArray();
//批次号匹配
if(empty(search($info)->where([['goodsData|batch','=',true]])->find())){
unset($field['batch']);
}
//生产日期匹配
if(empty(search($info)->where([['goodsData|validity','=',true]])->find())){
unset($field['mfd']);
}
//序列号匹配
if(empty(search($info)->where([['goodsData|serial','=',true]])->find())){
unset($field['extension|serial']);
}
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据类型:'.$sourceVo['extension']['type'],
'单据成本:'.$sourceVo['total'],
'单据费用:'.$sourceVo['cost'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'物流信息:'.$sourceVo['extension']['logistics'],
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('其它入库单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,98 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Field as Fields;
use think\facade\Db;
use think\exception\ValidateException;
class Field extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['name','fullLike'],
['key','fullLike']
]);//构造SQL
$count = Fields::where($sql)->count();//获取总条数
$info = Fields::where($sql)->page($input['page'],$input['limit'])->append(['extension'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Field'):$this->validate($input,'app\validate\Field.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Fields::create($input);
pushLog('新增表单字段[ '.$input['name'].' ]');//日志
}else{
//更新数据
Fields::update($input);
pushLog('更新表单字段[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Fields::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('field')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
Db::name('field')->where([['id','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除表单字段[ '.implode(' | ',array_column($data,'name')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,129 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Frame as Frames;
use think\facade\Db;
use think\exception\ValidateException;
class Frame extends Acl{
//列表
public function record(){
$tree=new \org\Tree();
$frame=$tree::hTree(Frames::order(['sort'=>'asc'])->select());
return json(['state'=>'success','info'=>$frame]);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
if(empty($input['id'])){
$this->validate($input,'app\validate\Frame');
}else{
$this->validate($input,'app\validate\Frame.update');
//所属不可等于或包含当前
if(in_array($input['pid'],findTreeArr('frame',$input['id'],'id'))){
throw new ValidateException('所属组织选择不正确!');
}
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Frames::create($input);
pushLog('新增组织机构[ '.$input['name'].' ]');//日志
}else{
//更新数据
Frames::update($input);
pushLog('更新组织机构[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else {
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Frames::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
$subFind=Db::name('frame')->where([['pid','=',$input['id']]])->find();
if(empty($subFind)){
//关联判断
$exist=moreTableFind([
['table'=>'account','where'=>[['frame','=',$input['id']]]],
['table'=>'allot','where'=>[['frame','=',$input['id']]]],
['table'=>'barter','where'=>[['frame','=',$input['id']]]],
['table'=>'bill','where'=>[['frame','=',$input['id']]]],
['table'=>'bor','where'=>[['frame','=',$input['id']]]],
['table'=>'bre','where'=>[['frame','=',$input['id']]]],
['table'=>'buy','where'=>[['frame','=',$input['id']]]],
['table'=>'customer','where'=>[['frame','=',$input['id']]]],
['table'=>'deploy','where'=>[['frame','=',$input['id']]]],
['table'=>'entry','where'=>[['frame','=',$input['id']]]],
['table'=>'extry','where'=>[['frame','=',$input['id']]]],
['table'=>'ice','where'=>[['frame','=',$input['id']]]],
['table'=>'imy','where'=>[['frame','=',$input['id']]]],
['table'=>'oce','where'=>[['frame','=',$input['id']]]],
['table'=>'omy','where'=>[['frame','=',$input['id']]]],
['table'=>'people','where'=>[['frame','=',$input['id']]]],
['table'=>'sell','where'=>[['frame','=',$input['id']]]],
['table'=>'sor','where'=>[['frame','=',$input['id']]]],
['table'=>'sre','where'=>[['frame','=',$input['id']]]],
['table'=>'supplier','where'=>[['frame','=',$input['id']]]],
['table'=>'swap','where'=>[['frame','=',$input['id']]]],
['table'=>'user','where'=>[['frame','=',$input['id']]]],
['table'=>'warehouse','where'=>[['frame','=',$input['id']]]],
]);
if(empty($exist)){
//逻辑处理
$find=Db::name('frame')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('frame')->where([['id','=',$input['id']]])->delete();
pushLog('删除组织机构[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'存在子数据,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,395 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\{Goods as Goodss,Attr,Sys};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Goods extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike'],
['type','fullDec1'],
['data','fullLike']
]);//构造SQL
//商品分类树结构查询
if(existFull($input,['category'])){
$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
}
$count = Goodss::where($sql)->count();//获取总条数
$info = Goodss::with(['categoryData'])->where($sql)->page($input['page'],$input['limit'])->append(['extension'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
try {
$input['py']=zhToPy($input['name']);//首拼信息
empty($input['id'])?$this->validate($input,'app\validate\Goods'):$this->validate($input,'app\validate\Goods.update');
//关联判断
if(!empty($input['id'])){
$exist=moreTableFind([
['table'=>'bor_info','where'=>[['goods','=',$input['id']]]],
['table'=>'buy_info','where'=>[['goods','=',$input['id']]]],
['table'=>'bre_info','where'=>[['goods','=',$input['id']]]],
['table'=>'sor_info','where'=>[['goods','=',$input['id']]]],
['table'=>'sell_info','where'=>[['goods','=',$input['id']]]],
['table'=>'sre_info','where'=>[['goods','=',$input['id']]]],
['table'=>'extry_info','where'=>[['goods','=',$input['id']]]],
['table'=>'entry_info','where'=>[['goods','=',$input['id']]]],
['table'=>'swap_info','where'=>[['goods','=',$input['id']]]]
]);
if(!empty($exist)){
$goods=Db::name('goods')->where([['id','=',$input['id']]])->find();
if($input['unit'] != $goods['unit']){
throw new ValidateException('[ 单位 ] 存在数据关联,操作已撤销!');
}else if($input['type'] != $goods['type']){
throw new ValidateException('[ 类型 ] 存在数据关联,操作已撤销!');
}else if($input['serial'] != $goods['serial']){
throw new ValidateException('[ 序列号 ] 存在数据关联,操作已撤销!');
}else if($input['batch'] != $goods['batch']){
throw new ValidateException('[ 批次 ] 存在数据关联,操作已撤销!');
}else if($input['validity'] != $goods['validity']){
throw new ValidateException('[ 有效期 ] 存在数据关联,操作已撤销!');
}else{
$attr=Db::name('attr')->where([['pid','=',$input['id']]])->select()->toArray();
$column=[array_column($attr,'name'),array_column($input['attr'],'name')];
$diff=array_diff($column[0],$column[1]);
if(!empty($diff)){
throw new ValidateException('[ 辅助属性 ] 存在数据关联,操作已撤销!');
}
}
}
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证ATTR
if(empty($input['attr'])){
//验证辅助属性
foreach ($input['attr'] as $attrKey=>$attrVo) {
try {
$this->validate($attrVo,'app\validate\Attr');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'辅助属性第'.($attrKey+1).'条'.$e->getError()]);
exit;
}
}
}
//处理数据
Db::startTrans();
try {
//GOODS数据
if(empty($input['id'])){
//创建数据
$createInfo=Goodss::create($input);
$input['id']=$createInfo['id'];//转存主键
pushLog('新增商品[ '.$input['name'].' ]');//日志
}else{
//更新数据
Goodss::update($input);
pushLog('更新商品[ '.$input['name'].' ]');//日志
}
//ATTR数据
Attr::where([['pid','=',$input['id']]])->delete();
if(!empty($input['attr'])){
foreach ($input['attr'] as $attrKey=>$attrVo) {
unset($input['attr'][$attrKey]['id']);
$input['attr'][$attrKey]['pid']=$input['id'];
}
$attr = new Attr;
$attr->saveAll($input['attr']);
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Goodss::with(['attr'])->where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//关联判断
$exist=moreTableFind([
['table'=>'sor_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'sell_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'sre_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'bor_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'buy_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'bre_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'extry_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'entry_info','where'=>[['goods','in',$input['parm']]]],
['table'=>'swap_info','where'=>[['goods','in',$input['parm']]]],
]);
if(empty($exist)){
//逻辑处理
$data=Db::name('goods')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
Db::name('goods')->where([['id','in',$input['parm']]])->delete();
Db::name('attr')->where([['pid','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除商品[ '.implode(' | ',array_column($data,'name')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file=request()->file('file');//获取上传文件
if (empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'png,gif,jpg,jpeg']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('goods', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
return json(['state'=>'error','info'=>$e->getMessage()]);
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
$sql=[];//初始化SQL
foreach ($data as $dataKey=>$dataVo) {
$record=[
'name'=>$dataVo['A'],
'py'=>zhToPy($dataVo['A']),
'number'=>$dataVo['B'],
'spec'=>$dataVo['C'],
'category'=>$dataVo['D'],
'brand'=>$dataVo['E'],
'unit'=>$dataVo['F'],
'buy'=>$dataVo['G'],
'sell'=>$dataVo['H'],
'retail'=>$dataVo['I'],
'integral'=>$dataVo['J'],
'code'=>$dataVo['K'],
'location'=>$dataVo['L'],
'stock'=>$dataVo['M'],
'type'=>$dataVo['N']=='常规商品'?0:1,
'data'=>$dataVo['O'],
'alias'=>'',
'imgs'=>[],
'details'=>'',
'units'=>[],
'strategy'=>[],
'serial'=>0,
'batch'=>0,
'protect'=>0,
'threshold'=>0,
'more'=>[]
];
try {
//数据合法性验证
$this->validate($record,'app\validate\Goods.imports');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第[ '.$dataKey.' ]行'.$e->getError()]);
exit;
}
$sql[]=$record;//加入SQL
}
//判断名称重复
$nameColumn=array_column($sql,'name');
$nameUnique=array_unique($nameColumn);
$nameDiff=array_diff_assoc($nameColumn,$nameUnique);
if(!empty($nameDiff)){
//返回错误信息
return json(['state'=>'error','info'=>'模板文件商品名称[ '.implode(' | ',$nameDiff).' ]重复!']);
}
//判断编号重复
$numberColumn=array_column($sql,'number');
$numberUnique=array_unique($numberColumn);
$numberDiff=array_diff_assoc($numberColumn,$numberUnique);
if(!empty($numberDiff)){
//返回错误信息
return json(['state'=>'error','info'=>'模板文件商品编号[ '.implode(' | ',$numberDiff).' ]重复!']);
}
//处理关联数据
foreach($sql as $sqlKey=>$sqlVo){
$sys=getSys(['unit','brand']);
//商品类别
if(empty($sqlVo['category'])){
return json(['state'=>'error','info'=>'模板文件第[ '.$sqlKey.' ]行商品类别不可为空!']);
}else{
$find=Db::name('category')->where([['name','=',$sqlVo['category']]])->find();
if(empty($find)){
$insert=Db::name('category')->insertGetId([
'pid'=>0,
'name'=>$sqlVo['category'],
"sort" => 99,
"data" => "自动创建|商品导入"
]);
$sql[$sqlKey]['category']=$insert;
}else{
$sql[$sqlKey]['category']=$find['id'];
}
}
//商品品牌
if(!in_array($sqlVo['brand'],$sys['brand'])){
$sys['brand'][]=$sqlVo['brand'];
Sys::where([['name','=','brand']])->update(['info'=>json_encode($sys['brand'])]);
}
//商品单位
if($sqlVo['unit']=='多单位' || $sqlVo['unit']=='-1'){
return json(['state'=>'error','info'=>'模板文件第[ '.($sqlKey+1).' ]行商品单位[ 多单位 ]为保留字段!']);
}else{
if(!in_array($sqlVo['unit'],$sys['unit'])){
$sys['unit'][]=$sqlVo['unit'];
Sys::where([['name','=','unit']])->update(['info'=>json_encode($sys['unit'])]);
}
}
}
//新增数据
$goods = new Goodss;
$goods->saveAll($sql);
pushLog('批量导入[ '.count($sql).' ]条商品数据');//日志
$result=['state'=>'success','info'=>'成功导入'.count($sql).'行商品数据'];
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$info=Goodss::with(['categoryData','attr'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询数据
//字段数据二次处理
foreach ($info as $infoKey=>$infoVo) {
//图像赋值
if(empty($infoVo['imgs'])){
$info[$infoKey]['imgs']='';
}else{
$info[$infoKey]['imgs']=[
'type'=>'img',
'info'=>preg_replace("/(http|https):\/\/[^\/]*\//","",$infoVo['imgs'][0]['url'])
];
}
//辅助属性赋值
if(empty($infoVo['attr'])){
$info[$infoKey]['attr']='';
}else{
$attrArr=[];
foreach ($infoVo['attr'] as $attrVo) {
$attrArr[]='属性名称:'.$attrVo['name'].' # 采购价格:'.$attrVo['buy'].' # 销售价格:'.$attrVo['sell'].' # 零售价格:'.$attrVo['retail'].' # 条形码:'.$attrVo['code'];
}
$info[$infoKey]['attr']=implode(chr(10),$attrArr);
}
//序列商品赋值
$info[$infoKey]['serial']=$infoVo['serial']?'是':'否';
//批次商品赋值
$info[$infoKey]['batch']=$infoVo['batch']?'是':'否';
}
$field=[
'imgs'=>'商品图像',
'name'=>'商品名称',
'number'=>'商品编号',
'spec'=>'规格型号',
'categoryData|name'=>'商品类别',
'brand'=>'商品品牌',
'extension|unit'=>'商品单位',
'buy'=>'采购价格',
'sell'=>'销售价格',
'retail'=>'零售价格',
'integral'=>'兑换积分',
'code'=>'商品条码',
'location'=>'商品货位',
'stock'=>'库存阈值',
'extension|type'=>'商品类型',
'attr'=>'辅助属性',
'data'=>'备注信息',
'alias'=>'零售名称',
'serial'=>'序列商品',
'batch'=>'批次商品',
'protect'=>'保质期',
'threshold'=>'预警阀值',
];
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'商品信息'];
//表格数据
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($info)]];
//导出execl
pushLog('导出商品信息');//日志
buildExcel('商品信息',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,481 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Ice as Ices,IceInfo,Account};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Ice extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['account','fullEq'],
['people','fullEq'],
['user','fullEq'],
['examine','fullDec1'],
['nucleus','fullDec1'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('ice',$sql);//数据鉴权
$count = Ices::where($sql)->count();//获取总条数
$info = Ices::with(['frameData','customerData','accountData','peopleData','userData','billData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
$class['nucleus']=0;
empty($class['id'])?$this->validate($class,'app\validate\Ice'):$this->validate($class,'app\validate\Ice.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\IceInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'数据表格第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Ices::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'ice','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增其它收入单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Ices::update($class);
Db::name('record')->insert(['type'=>'ice','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新其它收入单[ '.$class['number'].' ]');//日志
}
//INFO数据
IceInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new IceInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Ices::where([['id','=',$input['parm']]])->find();
$info=IceInfo::with(['ietData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('ice')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('ice')->where([['id','in',$input['parm']]])->delete();
Db::name('ice_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','ice'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除其它收入单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('ice')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(!empty($class['examine'])){
//核销单
$bill=Db::name('bill_info')->where([['mold','=','ice'],['source','=',$class['id']]])->find();
if(!empty($bill)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该单据存在关联核销单!']);
exit;
}
}
//3 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 资金|核销
if(!empty($class['money'])){
//1 更新资金账户
Db::name('account')->where([['id','=',$class['account']]])->inc('balance',$class['money'])->update();
//2 创建资金详情
Db::name('account_info')->insert([
'pid'=>$class['account'],
'type'=>'ice',
'class'=>$class['id'],
'time'=>$class['time'],
'direction'=>1,
'money'=>$class['money']
]);
//3 创建核销记录
Db::name('ice_bill')->insert([
'pid'=>$class['id'],
'type'=>'ice',
'source'=>$class['id'],
'time'=>$class['time'],
'money'=>$class['money']
]);
}
//2 客户|应收款余额
if(!empty($class['customer'])){
$balance=math()->chain($class['actual'])->sub($class['money'])->done();
if(!empty($balance)){
Db::name('customer')->where([['id','=',$class['customer']]])->dec('balance',$balance)->update();
}
}
//3 更新单据
$nucleus=$class['money']==$class['actual']?2:($class['money']==0?0:1);
Db::name('ice')->where([['id','=',$class['id']]])->update(['examine'=>1,'nucleus'=>$nucleus]);
//4 单据记录
Db::name('record')->insert(['type'=>'ice','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//5 记录操作
pushLog('审核其它收入单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//1 资金|核销
if(!empty($class['money'])){
//1 更新资金账户
Db::name('account')->where([['id','=',$class['account']]])->dec('balance',$class['money'])->update();
//2 删除资金详情
Db::name('account_info')->where([['type','=','ice'],['class','=',$class['id']]])->delete();
//3 删除核销记录
Db::name('ice_bill')->where([['pid','=',$class['id']]])->delete();
}
//2 客户|应收款余额
if(!empty($class['customer'])){
$balance=math()->chain($class['actual'])->sub($class['money'])->done();
if(!empty($balance)){
Db::name('customer')->where([['id','=',$class['customer']]])->inc('balance',$balance)->update();
}
}
//3 更新单据
Db::name('ice')->where([['id','=',$class['id']]])->update(['examine'=>0,'nucleus'=>0]);
//4 单据记录
Db::name('record')->insert(['type'=>'ice','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//5 记录操作
pushLog('反审核其它收入单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('ice', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//客户匹配
if(empty($data[3]['A'])){
$customer=['id'=>0];
}else{
$customer=Db::name('customer')->where([['name','=',$data[3]['A']]])->find();
if(empty($customer)){
throw new ValidateException('客户[ '.$data[3]['A'].' ]未匹配!');
}
}
//结算账户匹配
$account=Db::name('account')->where([['name','=',$data[3]['E']]])->find();
if(empty($account)){
throw new ValidateException('资金账户[ '.$data[3]['E'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['F'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['F']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['F'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'customer'=>$customer['id'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'total'=>0,
'account'=>$account['id'],
'people'=>$people['id'],
'file'=>[],
'data'=>$data[3]['G'],
'more'=>[],
'examine'=>0,
'nucleus'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Ice');//数据合法性验证
//初始化INFO
$info=[];
$iet=Db::name('iet')->where([['name','in',array_column($data,'H')],['type','=',0]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'iet'=>$dataVo['H'],
'money'=>$dataVo['I'],
'data'=>$dataVo['J']
];
//收入类别匹配
$ietFind=search($iet)->where([['name','=',$record['iet']]])->find();
if(empty($ietFind)){
throw new ValidateException('模板文件第'.$dataKey.'行收入类别[ '.$record['iet'].' ]未匹配!');
}else{
$record['iet']=$ietFind['id'];
}
//结算金额匹配
if(!preg_match("/^(\-)?\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['money'])){
throw new ValidateException('模板文件第'.$dataKey.'行结算金额不正确!');
}
try{
$this->validate($record,'app\validate\IceInfo');//数据合法性验证
//转存数据
$class['total']=math()->chain($class['total'])->add($record['money'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
Db::startTrans();
try {
//新增CLASS
$classData=Ices::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new IceInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'ice','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入其它收入单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出其它收入单列表');//日志
$source=Ices::with(['frameData','customerData','accountData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'其它收入单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'actual'=>'实际金额',
'money'=>'单据收款',
'extension|amount'=>'核销金额',
'accountData|name'=>'结算账户',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'extension|nucleus'=>'核销状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总单据金额:'.mathArraySum(array_column($source,'total')),
'总实际金额:'.mathArraySum(array_column($source,'actual')),
'总单据付款:'.mathArraySum(array_column($source,'money')),
'总核销金额:'.mathArraySum(arrayColumns($source,['extension','amount']))
]];
//导出execl
buildExcel('其它收入单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'其它收入单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'客户:'.$sourceVo['customerData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'ietData|name'=>'收入类别',
'money'=>'结算金额',
'data'=>'备注信息'
];
//构造表内数据
$info=IceInfo::with(['ietData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'结算账户:'.arraySeek($sourceVo,'accountData|name'),
'核销金额:'.$sourceVo['extension']['amount'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('其它收入单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,103 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Iet as Iets;
use think\facade\Db;
use think\exception\ValidateException;
class Iet extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
['name','fullLike'],
['type','fullDec1']
]);//构造SQL
$count = Iets::where($sql)->count();//获取总条数
$info = Iets::where($sql)->append(['extension'])->order(['sort'=>'asc', 'id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//构造|验证
try {
empty($input['id'])?$this->validate($input,'app\validate\Iet'):$this->validate($input,'app\validate\Iet.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Iets::create($input);
pushLog('新增收支类别[ '.$input['name'].' ]');//日志
}else{
//更新数据
Iets::update($input);
pushLog('更新收支类别[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$info=Iets::where([['id','=',$input['id']]])->find();
$result=['state'=>'success','info'=>$info];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
//关联判断
$exist=moreTableFind([
['table'=>'cost','where'=>[['iet','=',$input['id']]]],
['table'=>'ice_info','where'=>[['iet','=',$input['id']]]],
['table'=>'oce_info','where'=>[['iet','=',$input['id']]]],
]);
if(empty($exist)){
//逻辑处理
$find=Db::name('iet')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('iet')->where([['id','=',$input['id']]])->delete();
pushLog('删除收支类别[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,454 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Imy as Imys,ImyInfo,Account};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Imy extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['people','fullEq'],
['user','fullEq'],
['examine','fullDec1'],
['nucleus','fullDec1'],
['data','fullLike']
]);//构造SQL
//结算账户扩展查询
if(existFull($input,['account'])){
$sql[]=['id','in',array_column(Db::name('imy_info')->where([['account','=',$input['account']]])->select()->toArray(),'pid')];
}
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('imy',$sql);//数据鉴权
$count = Imys::where($sql)->count();//获取总条数
$info = Imys::with(['frameData','customerData','peopleData','userData','billData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
$class['nucleus']=0;
empty($class['id'])?$this->validate($class,'app\validate\Imy'):$this->validate($class,'app\validate\Imy.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\ImyInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'数据表格第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Imys::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'imy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增收款单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Imys::update($class);
Db::name('record')->insert(['type'=>'imy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新收款单[ '.$class['number'].' ]');//日志
}
//INFO数据
ImyInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new ImyInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Imys::where([['id','=',$input['parm']]])->find();
$info=ImyInfo::with(['accountData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('imy')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('imy')->where([['id','in',$input['parm']]])->delete();
Db::name('imy_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','imy'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除收款单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('imy')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$infoList=Db::name('imy_info')->where([['pid','in',$input['parm']]])->order(['id'=>'asc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
$info=search($infoList)->where([['pid','=',$parmVo]])->select();
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(!empty($class['examine'])){
//核销单
$bill=Db::name('bill_info')->where([['mold','=','imy'],['source','=',$class['id']]])->find();
if(!empty($bill)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该单据存在关联核销单!']);
exit;
}
}
//3 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 构造数据
$store=['account'=>[],'accountInfo'=>[]];
foreach ($info as $infoKey=>$infoVo){
//1 资金账户
$store['account'][]=['id'=>$infoVo['account'],'balance'=>$infoVo['money']];
//2 资金账户详情
$store['accountInfo'][]=['pid'=>$infoVo['account'],'type'=>'imy','class'=>$class['id'],'time'=>$class['time'],'direction'=>1,'money'=>$infoVo['money']];
}
//2 资金账户
Db::name('account')->duplicate(['balance'=>Db::raw('balance + VALUES(`balance`)')])->insertAll($store['account']);
//3 资金账户
Db::name('account_info')->insertAll($store['accountInfo']);
//4 客户|应收款余额
Db::name('customer')->where([['id','=',$class['customer']]])->dec('balance',$class['total'])->update();
//5 更新单据
Db::name('imy')->where([['id','=',$class['id']]])->update(['examine'=>1]);
//6 单据记录
Db::name('record')->insert(['type'=>'imy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//7 记录操作
pushLog('审核收款单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//1 匹配数据
$listSql=[['type','=','imy'],['class','=',$class['id']]];
$accountInfoList=Db::name('account_info')->where($listSql)->select()->toArray();
//2 资金账户
$accountDuplicate=[];
foreach ($accountInfoList as $accountInfoVo) {
$accountDuplicate[]=['id'=>$accountInfoVo['pid'],'balance'=>$accountInfoVo['money']];
}
//2.1 更新资金
Db::name('account')->duplicate(['balance'=>Db::raw('balance - VALUES(`balance`)')])->insertAll($accountDuplicate);
//2.2 删除资金详情
Db::name('account_info')->where([['id','in',array_column($accountInfoList,'id')]])->delete();
//3 客户|应收款余额
Db::name('customer')->where([['id','=',$class['customer']]])->inc('balance',$class['total'])->update();
//4 更新单据
Db::name('imy')->where([['id','=',$class['id']]])->update(['examine'=>0]);
//5 单据记录
Db::name('record')->insert(['type'=>'imy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//6 记录操作
pushLog('反审核收款单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('imy', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//客户匹配
$customer=Db::name('customer')->where([['name','=',$data[3]['A']]])->find();
if(empty($customer)){
throw new ValidateException('客户[ '.$data[3]['A'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['E'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['E']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['E'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'customer'=>$customer['id'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'total'=>0,
'people'=>$people['id'],
'file'=>[],
'data'=>$data[3]['F'],
'more'=>[],
'examine'=>0,
'nucleus'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Imy');//数据合法性验证
//初始化INFO
$info=[];
$account=Db::name('account')->where([['name','in',array_column($data,'G')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'account'=>$dataVo['G'],
'money'=>$dataVo['H'],
'settle'=>$dataVo['I'],
'data'=>$dataVo['J']
];
//结算账户匹配
$accountFind=search($account)->where([['name','=',$record['account']]])->find();
if(empty($accountFind)){
throw new ValidateException('模板文件第'.$dataKey.'行结算账户[ '.$record['account'].' ]未匹配!');
}else{
$record['account']=$accountFind['id'];
}
//结算金额匹配
if(!preg_match("/^(\-)?\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['money'])){
throw new ValidateException('模板文件第'.$dataKey.'行结算金额不正确!');
}
try{
$this->validate($record,'app\validate\ImyInfo');//数据合法性验证
//转存数据
$class['total']=math()->chain($class['total'])->add($record['money'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
Db::startTrans();
try {
//新增CLASS
$classData=Imys::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new ImyInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'imy','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入收款单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出收款单列表');//日志
$source=Imys::with(['frameData','customerData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'收款单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'extension|amount'=>'核销金额',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'extension|nucleus'=>'核销状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总单据金额:'.mathArraySum(array_column($source,'total')),
'总核销金额:'.mathArraySum(arrayColumns($source,['extension','amount']))
]];
//导出execl
buildExcel('收款单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'收款单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'客户:'.$sourceVo['customerData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'accountData|name'=>'结算账户',
'money'=>'结算金额',
'settle'=>'结算号',
'data'=>'备注信息'
];
//构造表内数据
$info=ImyInfo::with(['accountData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'核销金额:'.$sourceVo['extension']['amount'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('收款单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,9 @@
<?php
namespace app\controller;
use think\facade\View;
class Index{
public function index(){
// 模板输出
return View::fetch('index');
}
}

View File

@ -0,0 +1,273 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use think\Model;
use app\model\{Goods,Warehouse};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Inventory extends Acl {
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit']) && isset($input['warehouse']) && is_array($input['warehouse'])){
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->order(['id'=>'desc'])->select()->toArray();
//构造表头|集合
$column=[];
foreach ($warehouse as $warehouseVo) {
$column[]=['id'=>$warehouseVo['id'],'key'=>'stock_'.$warehouseVo['id'],'name'=>$warehouseVo['name']];
}
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike'],
['data','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->page($input['page'],$input['limit'])->append(['extension'])->select()->toArray();
//唯一标识|属性处理
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['key']=$infoVo['id'];
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$info[$infoKey]['attr'][$attrKey]['key']=$infoVo['id'].'.'.$attrVo['id'];
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//查询库存数据
$room=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','in',array_column($info,'id')]])->select()->toArray();
//库存集合[w:仓库|g:商品|a:属性]
$gather=['g'=>[],'wg'=>[],'ga'=>[],'wga'=>[]];
foreach ($room as $roomVo) {
//商品
$g=md5_16($roomVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add($roomVo['nums'])->done();
//仓库|商品
$wg=md5_16($roomVo['warehouse'].'&'.$roomVo['goods']);
$gather['wg'][$wg]=math()->chain($gather['wg'][$wg]??0)->add($roomVo['nums'])->done();
//判断属性
if(!empty($roomVo['attr'])){
//商品|属性
$ga=md5_16($roomVo['goods'].'&'.$roomVo['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add($roomVo['nums'])->done();
//仓库|商品|属性
$wga=md5_16($roomVo['warehouse'].'&'.$roomVo['goods'].'&'.$roomVo['attr']);
$gather['wga'][$wga]=math()->chain($gather['wga'][$wga]??0)->add($roomVo['nums'])->done();
}
}
//数量匹配|库存处理|结构处理
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?($infoVo['unit']=='-1'?unitSwitch($gather['g'][$g],$infoVo['units']):$gather['g'][$g]):0;
//仓库|商品
$record=[];
//单位数据
if($infoVo['unit']=='-1'){
$enter=[];
$unit=array_reverse(array_merge([['name'=>$infoVo['units'][0]['source']]],$infoVo['units']));
foreach ($unit as $unitVo) {
$enter[]=['name'=>$unitVo['name'],'nums'=>''];
}
}else{
$enter='';
}
foreach ($column as $columnVo) {
$wg=md5_16($columnVo['id'].'&'.$infoVo['id']);
$record['stock_'.$columnVo['id']]=[
'warehouse'=>$columnVo['id'],
'basis'=>$gather['wg'][$wg]??0,
'basisAlias'=>isset($gather['wg'][$wg])?($infoVo['unit']=='-1'?unitSwitch($gather['wg'][$wg],$infoVo['units']):$gather['wg'][$wg]):0,
'enter'=>$enter,
'diff'=>0,
'diffAlias'=>''
];
}
$info[$infoKey]['record']=$record;
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?($infoVo['unit']=='-1'?unitSwitch($gather['ga'][$ga],$infoVo['units']):$gather['ga'][$ga]):0;
//仓库|商品|属性
$record=[];
foreach ($column as $columnVo) {
$wga=md5_16($columnVo['id'].'&'.$infoVo['id'].'&'.$attrVo['name']);
$record['stock_'.$columnVo['id']]=[
'warehouse'=>$columnVo['id'],
'basis'=>$gather['wga'][$wga]??0,
'basisAlias'=>isset($gather['wga'][$wga])?($infoVo['unit']=='-1'?unitSwitch($gather['wga'][$wga],$infoVo['units']):$gather['wga'][$wga]):0,
'enter'=>$enter,
'diff'=>0,
'diffAlias'=>''
];
}
$info[$infoKey]['attr'][$attrKey]['record']=$record;
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info,
'column'=>$column
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
pushLog('导出库存盘点单');//日志
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike'],
['data','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//属性处理
foreach ($info as $infoKey=>$infoVo) {
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//结构重组
$source=[];
foreach ($info as $infoVo) {
$infoVo['enter']='';
$source[]=$infoVo;
if(!empty($infoVo['attr'])){
foreach ($infoVo['attr'] as $attrVo) {
$attrVo['name']='|- '.$attrVo['name'];
$attrVo['enter']='';
$source[]=$attrVo;
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'库存盘点单'];
//表格数据
$field=['name'=>'商品名称','enter'=>'盘点数','number'=>'商品编号','spec'=>'规格型号','categoryData|name'=>'商品分类','brand'=>'商品品牌','extension|unit'=>'商品单位','code'=>'商品条码','data'=>'商品备注'];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('库存盘点单',$excel);
}
//生成盘盈单
public function buildEntry(){
$input=input('post.');
if(existFull($input,['info'])){
$class=['total'=>0,'type'=>1];
$fun=getSys('fun');
$list=[
'goods'=>Goods::where([['id','in',array_unique(array_column($input['info'],'goods'))]])->select()->toArray(),
'warehouse'=>Warehouse::where([['id','in',array_unique(array_column($input['info'],'warehouse'))]])->select()->toArray(),
];
foreach ($input['info'] as $infoVo) {
$record=[];
$goods=search($list['goods'])->where([['id','=',$infoVo['goods']]])->find();
$warehouse=search($list['warehouse'])->where([['id','=',$infoVo['warehouse']]])->find();
$record['goods']=$infoVo['goods'];
$record['goodsData']=$goods;
$record['attr']=$infoVo['attr'];
$record['unit']=$infoVo['unit'];
$record['warehouse']=$infoVo['warehouse'];
$record['warehouseData']=$warehouse;
$record['batch']='';
$record['mfd']='';
$record['price']=$goods['buy'];
$record['nums']=$infoVo['nums'];
$record['serial']=[];
$record['total']=math()->chain($record['price'])->mul($record['nums'])->round($fun['digit']['money'])->done();
$record['data']='';
//转存数据
$info[]=$record;
$class['total']=math()->chain($class['total'])->add($record['total'])->done();//累加单据成本
}
$result=['state'=>'success','info'=>['class'=>$class,'info'=>$info]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//生成盘亏单
public function buildExtry(){
$input=input('post.');
if(existFull($input,['info']) && is_array($input['info'])){
$class=['total'=>0,'type'=>1];
$fun=getSys('fun');
$list=[
'goods'=>Goods::where([['id','in',array_unique(array_column($input['info'],'goods'))]])->select()->toArray(),
'warehouse'=>Warehouse::where([['id','in',array_unique(array_column($input['info'],'warehouse'))]])->select()->toArray(),
];
foreach ($input['info'] as $infoVo) {
$record=[];
$goods=search($list['goods'])->where([['id','=',$infoVo['goods']]])->find();
$warehouse=search($list['warehouse'])->where([['id','=',$infoVo['warehouse']]])->find();
$record['goods']=$infoVo['goods'];
$record['goodsData']=$goods;
$record['attr']=$infoVo['attr'];
$record['unit']=$infoVo['unit'];
$record['warehouse']=$infoVo['warehouse'];
$record['warehouseData']=$warehouse;
$record['batch']='';
$record['mfd']='';
$record['price']=$goods['buy'];
$record['nums']=abs($infoVo['nums']);
$record['serial']=[];
$record['total']=math()->chain($record['price'])->mul($record['nums'])->round($fun['digit']['money'])->done();
$record['data']='';
//转存数据
$info[]=$record;
$class['total']=math()->chain($class['total'])->add($record['total'])->done();//累加单据成本
}
$result=['state'=>'success','info'=>['class'=>$class,'info'=>$info]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,420 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Invoice as Invoices;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Invoice extends Acl{
//购销发票
public function record(){
$input=input('post.');
$sheet=['buy','bre','sell','sre'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && is_arrays($input,['invoice','mold']) && arrayInArray($input['mold'],$sheet)){
//基础语句
$base=fastSql($input,[
[['number'=>'class.number'],'fullLike'],
['invoice','fullIn'],
[['startTime'=>'class.time'],'startTime'],
[['endTime'=>'class.time'],'endTime'],
]);
$base[]=['examine','=',1];
$base[]=['invoice','<>',3];
$base=frameScope($base);
//匹配语句
$sql=[];
foreach ($input['mold'] as $mold) {
if(in_array($mold,['buy','bre'])){
$sql[$mold]=array_merge($base,fastSql($input,[['supplier','fullEq']]));
}else{
$sql[$mold]=array_merge($base,fastSql($input,[['customer','fullEq']]));
}
$sql[$mold]=sqlAuth($mold,$sql[$mold]);//数据鉴权
}
//构造查询
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold)->alias('class')->where($sql[$mold])->leftJoin(['is_invoice'=>'invoice'],'class.id=invoice.class and invoice.type="'.$mold.'"')->fieldRaw('"'.$mold.'" as mold,class.id,class.time,sum(invoice.money) as iat')->group('class.id')->buildSql();
}
$union=implode(' UNION ALL ',$union);
$count=DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud')[0]["count"];
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud ORDER BY `time` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
//匹配数据
$list=[];
foreach ($input['mold'] as $mold) {
$gather=search($record)->where([['mold','=',$mold]])->select();
$db="app\\model\\".ucfirst($mold);
if(in_array($mold,['buy','bre'])){
$list[$mold]=$db::with(['frameData','supplierData'])->where([['id','in',array_column($gather,'id')]])->append(['extension'])->select()->toArray();
}else{
$list[$mold]=$db::with(['frameData','customerData'])->where([['id','in',array_column($gather,'id')]])->append(['extension'])->select()->toArray();
}
}
$data=[];
foreach ($record as $recordVo) {
$mold=$recordVo['mold'];
$row=search($list[$mold])->where([['id','=',$recordVo['id']]])->find();
$row['mold']=$mold;
$row['name']=['buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单'][$mold];
$row['current']=in_array($mold,['buy','bre'])?$row['supplierData']:$row['customerData'];
$row['iat']=floatval($recordVo['iat']);
$row['ani']=math()->chain($row['actual'])->sub($row['iat'])->done();
$row['money']="";
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//开具发票
public function save(){
$input=input('post.');
if(existFull($input,['data'])&& is_array($input['data'])){
//验证数据
foreach ($input['data'] as $key=>$vo) {
try {
$this->validate($vo,'app\validate\Invoice');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'选中数据第'.($key+1).'条'.$e->getError()]);
exit;
}
}
//单据匹配
$gather=[];
$tab=['buy','bre','sell','sre'];
foreach ($input['data'] as $vo) {
in_array($vo['type'],$tab)&&$gather[$vo['type']][]=$vo['class'];
}
$union=[];
foreach ($gather as $mold=>$vo) {
$union[]=Db::name($mold)->alias('class')->where([['class.id','in',$vo]])->leftJoin(['is_invoice'=>'invoice'],'class.id=invoice.class and invoice.type="'.$mold.'"')->fieldRaw('"'.$mold.'" as mold,class.id,class.actual as actual, sum(invoice.money) as iat')->group('class.id')->buildSql();
}
$union=implode(' UNION ALL ',$union);
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud');
//验证数据
foreach ($input['data'] as $key=>$vo) {
$find=search($record)->where([['mold','=',$vo['type']],['id','=',$vo['class']]])->find();
$ani=math()->chain($find['actual'])->sub($find['iat'])->done();
if(bccomp($vo['money'],$ani)==1){
return json(['state'=>'error','info'=>'选中数据第'.($key+1).'条发票金额超出未开票金额!']);
exit;
}else{
$input['data'][$key]['ani']=$ani;
}
}
//处理数据
Db::startTrans();
try {
$bill=[];
foreach ($input['data'] as $key=>$vo) {
//发票状态
$bill[$vo['type']]['class'][]=[
'id'=>$vo['class'],
'invoice'=>bccomp($vo['money'],$vo['ani'])==0?2:1
];
//发票记录
$bill[$vo['type']]['record'][]=['type'=>$vo['type'],'source'=>$vo['class'],'time'=>time(),'user'=>getUserID(),'info'=>'开具发票[ '.floatval($vo['money']).' ]'];
unset($input['data'][$key]['iat']);
}
//更新单据状态
foreach ($bill as $mold=>$vo) {
Db::name($mold)->duplicate(['invoice'=>Db::raw('VALUES(`invoice`)')])->insertAll($vo['class']);
Db::name('record')->insertAll($vo['record']);
}
//添加发票记录
$model = new \app\model\Invoice;
$model->saveAll($input['data']);
pushLog('开具购销发票');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('bor', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state'=>'error','info'=>$e->getMessage()];
}
}
return json($result);
}
//购销发票-导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
pushLog('导出购销发票');//日志
$parm=[];
$tab=['buy','bre','sell','sre'];
foreach($input['parm'] as $vo){
if(in_array($vo['mold'],$tab)){
$parm[$vo['mold']][]=$vo['id'];
}
}
//匹配数据
$list=[];
foreach ($parm as $mold=>$vo) {
$db="app\\model\\".ucfirst($mold);
if(in_array($mold,['buy','bre'])){
$list[$mold]=$db::with(['frameData','supplierData'])->alias('class')->where([['class.id','in',$vo]])->leftJoin(['is_invoice'=>'invoice'],'class.id=invoice.class and invoice.type="'.$mold.'"')->fieldRaw('class.*,sum(invoice.money) as iat')->group('class.id')->append(['extension'])->select()->toArray();
}else{
$list[$mold]=$db::with(['frameData','customerData'])->alias('class')->where([['class.id','in',$vo]])->leftJoin(['is_invoice'=>'invoice'],'class.id=invoice.class and invoice.type="'.$mold.'"')->fieldRaw('class.*,sum(invoice.money) as iat')->group('class.id')->append(['extension'])->select()->toArray();
}
}
$data=[];
foreach ($input['parm'] as $vo) {
$mold=$vo['mold'];
$row=search($list[$mold])->where([['id','=',$vo['id']]])->find();
$row['name']=['buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单'][$mold];
$row['current']=in_array($mold,['buy','bre'])?$row['supplierData']:$row['customerData'];
$row['iat']=floatval($row['iat']);
$row['ani']=math()->chain($row['actual'])->sub($row['iat'])->done();
$data[]=$row;
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'购销发票'];
//表格数据
$field=[
'name'=>'单据类型',
'frameData|name'=>'所属组织',
'current|name'=>'往来单位',
'time'=>'单据时间',
'number'=>'单据编号',
'extension|invoice'=>'发票状态',
'actual'=>'单据金额',
'iat'=>'已开票金额',
'ani'=>'未开票金额'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'单据总金额:'.mathArraySum(array_column($source,'actual')),
'已开票总金额:'.mathArraySum(array_column($source,'iat')),
'未开票总金额:'.mathArraySum(array_column($source,'ani'))
]];
//导出execl
buildExcel('购销发票',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//报表数据
public function form(){
$input=input('post.');
$sheet=['buy','bre','sell','sre'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && arrayInArray($input['mold'],$sheet)){
$sql=[];
//构造SQL|INVOICE
$sql['invoice']=fastSql($input,[
[['mold'=>'type'],'fullIn'],
[['inr'=>'number'],'fullLike'],
['title','fullLike'],
]);
//构造SQL|CLASS|基础语句
$sql['base']=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
]);
$sql['base']=frameScope($sql['base']);
//数据表
foreach ($input['mold'] as $t) {
if(in_array($t,['buy','bre'])){
$sql[$t]=array_merge($sql['base'],[['id','=',Db::raw('invoice.class')]],fastSql($input,[['supplier','fullEq']]));
}else{
$sql[$t]=array_merge($sql['base'],[['id','=',Db::raw('invoice.class')]],fastSql($input,[['customer','fullEq']]));
}
$sql[$t]=sqlAuth($t,$sql[$t]);//数据鉴权
}
//多源匹配
$union=[];
foreach ($input['mold'] as $t) {
//匹配类型|减少查询
if(in_array($t,$input['mold'])){
$union[]=Db::name($t)->where([
['invoice.type','=',$t],
])->where(empty($sql[$t])?[]:[$sql[$t]])->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$count=Invoices::alias('invoice')->where($sql['invoice'])->whereExists($union)->count();
$info=Invoices::with(['sourceData'=>['frameData']])->alias('invoice')->where($sql['invoice'])->whereExists($union)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//匹配供应商|客户
$current=[
'supplier'=>Db::name('supplier')->where([['id','in',arrayColumns(search($info)->where([['type','in',['buy','bre']]])->select(),['sourceData','supplier'])]])->select()->toArray(),
'customer'=>Db::name('customer')->where([['id','in',arrayColumns(search($info)->where([['type','in',['sell','sre']]])->select(),['sourceData','customer'])]])->select()->toArray(),
];
$data=[];
foreach ($info as $infoVo) {
$row=$infoVo;
$mold=$infoVo['type'];
$row['name']=['buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单'][$mold];
if(in_array($mold,['buy','bre'])){
$row['current']=search($current['supplier'])->where([['id','=',$row['sourceData']['supplier']]])->find();
}else{
$row['current']=search($current['customer'])->where([['id','=',$row['sourceData']['customer']]])->find();
}
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('invoice')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
$gather=[];
$record=[];
//匹配数据
foreach ($data as $key=>$vo) {
$gather[$vo['type']][]=$vo['class'];
$record[]=['type'=>$vo['type'],'source'=>$vo['class'],'time'=>time(),'user'=>getUserID(),'info'=>'删除发票[ '.floatval($vo['money']).' ]'];
}
//插入单据记录
Db::name('record')->insertAll($record);
//删除发票记录
Db::name('invoice')->where([['id','in',$input['parm']]])->delete();
//匹配发票记录
$union=[];
foreach ($gather as $mold=>$vo) {
$union[]=Db::name($mold)->alias('class')->where([['class.id','in',$vo]])->leftJoin(['is_invoice'=>'invoice'],'class.id=invoice.class and invoice.type="'.$mold.'"')->fieldRaw('"'.$mold.'" as mold,class.id,count(invoice.id) as length')->group('class.id')->buildSql();
}
$union=implode(' UNION ALL ',$union);
$list=Db::query('SELECT * FROM ('.$union.') as nodcloud');
//更新单据状态
$bill=[];
foreach($list as $vo){
$bill[$vo['mold']][]=['id'=>$vo['id'],'invoice'=>empty($vo['length'])?0:1];
}
foreach($bill as $mold=>$vo){
Db::name($mold)->duplicate(['invoice'=>Db::raw('VALUES(`invoice`)')])->insertAll($vo);
}
pushLog('删除购销发票');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//购销发票报表-导出
public function formExports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
pushLog('导出购销发票报表');//日志
$info=Invoices::with(['sourceData'=>['frameData']])->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
//匹配供应商|客户
$current=[
'supplier'=>Db::name('supplier')->where([['id','in',arrayColumns(search($info)->where([['type','in',['buy','bre']]])->select(),['sourceData','supplier'])]])->select()->toArray(),
'customer'=>Db::name('customer')->where([['id','in',arrayColumns(search($info)->where([['type','in',['sell','sre']]])->select(),['sourceData','customer'])]])->select()->toArray(),
];
$data=[];
foreach ($info as $infoVo) {
$row=$infoVo;
$mold=$infoVo['type'];
$row['name']=['buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单'][$mold];
if(in_array($mold,['buy','bre'])){
$row['current']=search($current['supplier'])->where([['id','=',$row['sourceData']['supplier']]])->find();
}else{
$row['current']=search($current['customer'])->where([['id','=',$row['sourceData']['customer']]])->find();
}
$data[]=$row;
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'购销发票报表'];
//表格数据
$field=[
'name'=>'单据类型',
'sourceData|frameData|name'=>'所属组织',
'current|name'=>'往来单位',
'sourceData|time'=>'单据时间',
'sourceData|number'=>'单据编号',
'sourceData|actual'=>'单据金额',
'time'=>'开票时间',
'number'=>'发票号码',
'title'=>'发票抬头',
'money'=>'发票金额',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'单据总金额:'.mathArraySum(arrayColumns($source,['sourceData','actual'])),
'发票总金额:'.mathArraySum(array_column($source,'money'))
]];
//导出execl
buildExcel('购销发票报表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
}

View File

@ -0,0 +1,45 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Log as Logs;
use think\facade\Db;
class Log extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['info','fullLike'],
['user','fullEq'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);//构造SQL
$sql=sqlAuth('log',$sql);
$count = Logs::where($sql)->count();//获取总条数
$info = Logs::with(['userData'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//清空
public function empty(){
Db::startTrans();
try {
Db::query("truncate table is_log");
pushLog('清空操作日志');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
return json($result);
}
}

View File

@ -0,0 +1,186 @@
<?php
namespace app\controller;
use app\controller\Acl;
use think\facade\Db;
use think\exception\ValidateException;
class Main extends Acl{
//获取
public function record(){
//格子汇总
$dayTime=strtotime(date('Y-m-d'));
$group=[];
foreach(['today','yesterday'] as $v){
foreach(['sell','imy','ice'] as $t){
$rowWhere=[['time','=',$v=='today'?$dayTime:$dayTime-86400],['examine','=',1]];
if(in_array($t,['sell'])){
$group[$v][$t]=Db::name($t)->where(sqlAuth($t,$rowWhere))->fieldRaw('GROUP_CONCAT(`id`) as id,sum(actual) as actual')->select()->toArray()[0];
}elseif($t=='imy'){
$group[$v][$t]=Db::name($t)->where(sqlAuth($t,$rowWhere))->fieldRaw('sum(total) as total')->select()->toArray()[0];
}else{
$group[$v][$t]=Db::name($t)->where(sqlAuth($t,$rowWhere))->fieldRaw('sum(actual) as actual')->select()->toArray()[0];
}
}
}
$lattice['sve']=[
'today'=>empty($group['today']['sell']['actual'])?0:floatval($group['today']['sell']['actual']),
'yesterday'=>empty($group['yesterday']['sell']['actual'])?0:$group['yesterday']['sell']['actual'],
];
$lattice['nos']=[
'today'=>[
'sell'=>empty($group['today']['sell']['id'])?[]:explode(',',$group['today']['sell']['id'])
],
'yesterday'=>[
'sell'=>empty($group['yesterday']['sell']['id'])?[]:explode(',',$group['yesterday']['sell']['id'])
]
];
$lattice['spt']=[
'today'=>Db::name('summary')->whereOr([
[['type','=','sell'],['class','in',$lattice['nos']['today']['sell']]]
])->fieldRaw('sum(bct) as bct')->select()->toArray()[0]['bct'],
'yesterday'=>Db::name('summary')->whereOr([
[['type','=','sell'],['class','in',$lattice['nos']['yesterday']['sell']]]
])->fieldRaw('sum(bct) as bct')->select()->toArray()[0]['bct']
];
$lattice['spt']=[
'today'=>math()->chain($lattice['sve']['today'])->sub($lattice['spt']['today'])->done(),
'yesterday'=>math()->chain($lattice['sve']['yesterday'])->sub($lattice['spt']['yesterday'])->done()
];
$lattice['nos']=[
'today'=>count(array_merge($lattice['nos']['today']['sell'])),
'yesterday'=>count(array_merge($lattice['nos']['yesterday']['sell'])),
];
$lattice['fund']=[
'today'=>math()->chain($lattice['sve']['today'])->add($group['today']['imy']['total'])->add($group['today']['ice']['actual'])->done(),
'yesterday'=>math()->chain($lattice['sve']['yesterday'])->add($group['yesterday']['imy']['total'])->add($group['yesterday']['ice']['actual'])->done(),
];
$lattice['sve']['yesterday']=empty($lattice['sve']['yesterday'])?(empty($lattice['sve']['today'])?'0':'100'):math()->chain($lattice['sve']['today'])->div($lattice['sve']['yesterday'])->mul(100)->round(2)->done();
$lattice['spt']['yesterday']=empty($lattice['spt']['yesterday'])?(empty($lattice['spt']['today'])?'0':'100'):math()->chain($lattice['spt']['today'])->div($lattice['spt']['yesterday'])->mul(100)->round(2)->done();
$lattice['nos']['yesterday']=empty($lattice['nos']['yesterday'])?(empty($lattice['nos']['today'])?'0':'100'):math()->chain($lattice['nos']['today'])->div($lattice['nos']['yesterday'])->mul(100)->round(2)->done();
$lattice['fund']['yesterday']=empty($lattice['fund']['yesterday'])?(empty($lattice['fund']['today'])?'0':'100'):math()->chain($lattice['fund']['today'])->div($lattice['fund']['yesterday'])->mul(100)->round(2)->done();
//汇总信息
$list=[
'room'=>Db::name('room')->field(['id','nums'])->where(sqlAuth('room',[]))->select()->toArray(),
'customer'=>Db::name('customer')->field(['id','balance'])->where(sqlAuth('customer',frameScope([])))->select()->toArray(),
'supplier'=>Db::name('supplier')->field(['id','balance'])->where(sqlAuth('supplier',frameScope([])))->select()->toArray()
];
$summary=[];
$summary['goods']=Db::name('goods')->count();
$summary['customer']=count($list['customer']);
$summary['supplier']=count($list['supplier']);
$summary['room']=mathArraySum(array_column($list['room'],'nums'));
$summary['rwg'] = Db::name('room')->alias('room')->where([['id','in',array_column($list['room'],'id')]])->whereExists(
Db::name('goods')->where([['id','=',Db::raw('room.goods')],['room.nums','<=',Db::raw('stock')]])->buildSql(false)
)->count();
$summary['bwg'] = Db::name('batch')->alias('batch')->where(sqlAuth('batch',[]))->whereExists(
Db::name('goods')->where([['id','=',Db::raw('batch.goods')]])->whereRaw('batch.time + (threshold * 86400) < :time',['time'=>strtotime(date('Y-m-d',time()))])->buildSql(false)
)->count();
//资产数据
$assets['account']=Db::name('account')->fieldRaw('(sum(initial)+sum(balance)) as money')->where(sqlAuth('account',frameScope([])))->select()[0]['money'];
$sy=Db::name('summary')->fieldRaw('direction,sum(bct) as bct')->where(sqlAuth('summary'))->group(['direction'])->order('direction')->select()->toArray();
$assets['rsy']=empty($sy)?0:(count($sy)==2?math()->chain($sy[1]['bct'])->sub($sy[0]['bct'])->done():($sy[0]['direction']==0?-$sy[0]['bct']:$sy[0]['bct']));
$assets['cas']=mathArraySum(array_column($list['customer'],'balance'));
$assets['sas']=mathArraySum(array_column($list['supplier'],'balance'));
$assets['all']=math()->chain($assets['account'])->add($assets['rsy'])->add($assets['cas'])->sub($assets['sas'])->done();
//位数处理
foreach ($summary as $k=>$v){$summary[$k]=floatval($v);}
foreach ($assets as $k=>$v){$assets[$k]=floatval($v);}
//数据概括
$fun=getSys('fun');
$option=[];
$deploy=[
[
'title'=>['text'=>'','left'=>'center'],
'xAxis'=>['type'=>'category','boundaryGap'=>false,'data'=>[]],
'grid'=>['top'=>'12%','left'=>'1%','right'=>'1%','bottom'=>'0%','containLabel'=>true],
'yAxis'=>['type'=>'value'],
'series'=>[['data'=>[],'type'=>'line','areaStyle'=>[]]],
'tooltip'=>['trigger'=>'axis','axisPointer'=>['type'=>'cross']]
],
[
'title'=>['text'=>'库存数据','left'=>'center'],
'tooltip'=>['trigger'=>'item'],
'legend'=>['orient'=>'vertical','left'=>'left'],
'series'=>[['type'=>'pie','radius'=>'60%','data'=>[]]]
]
];
$table=['buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单','imy'=>'收款单','omy'=>'付款单'];
$where=[['time','>=',time()-($fun['days']*86400)],['time','<=',time()],['examine','=',1]];
foreach($table as $k=>$v){
$bill=Db::name($k)->fieldRaw('time,sum('.(in_array($k,['imy','omy'])?'total':'actual').') as actual')->where(sqlAuth($k,$where))->group('time')->select()->toArray();
$xData=getOldDay($fun['days']);
$yData=[];
foreach($xData as $date){
$t=strtotime($date);
$find=search($bill)->where([['time','=',$t]])->find();
$yData[]=empty($find)?0:$find['actual'];
}
$replica=$deploy[0];
$replica['title']['text']=$v;
$replica['xAxis']['data']=$xData;
$replica['series'][0]['data']=$yData;
$option[]=$replica;
}
//库存分布
$pie=Db::name('room')->fieldRaw('warehouse,sum(nums) as nums')->where([['id','in',array_column($list['room'],'id')]])->group(['warehouse'])->select()->toArray();
$wlt=Db::name('warehouse')->where([['id','in',array_column($pie,'warehouse')]])->select();
$replica=$deploy[1];
foreach($pie as $v){
$w=search($wlt)->where([['id','=',$v['warehouse']]])->find();
$replica['series']['0']['data'][]=['value'=>$v['nums'],'name'=>$w['name']];
}
$option[]=$replica;
// 资金数据
$fund=[
'xAxis'=>['type'=>'category','data'=>[]],
'grid'=>['top'=>'6%','left'=>'1%','right'=>'1%','bottom'=>'0%','containLabel'=>true],
'yAxis'=>['type'=>'value'],
'series'=>[['data'=>[],'type'=>'bar','itemStyle'=>(object)[]]],
'tooltip'=>['trigger'=>'axis','axisPointer'=>['type'=>'cross']]
];
$fundData=Db::name('account')->fieldRaw('name,(initial+balance) as money')->where(sqlAuth('account',frameScope([])))->select()->toArray();
foreach ($fundData as $v) {
$fund['xAxis']['data'][]=$v['name'];
$fund['series'][0]['data'][]=$v['money'];
}
if(empty($fund['xAxis']['data'])){
$fund['xAxis']['data'][]='无数据';
$fund['series'][0]['data'][]=0;
}
//负载监测
$load=[];
$cacheMaxSize=256;
$load['cache']['size']=getDirSize(pathChange('runtime'));
$load['cache']['rate']=round($load['cache']['size']*100/$cacheMaxSize,2);
$mysqlMaxSize=256;
$load['mysql']['size']=getMysqlSize();
$load['mysql']['rate']=round($load['mysql']['size']*100/$mysqlMaxSize,2);
//运行环境
$run=[
'os'=>PHP_OS,
'soft'=>$_SERVER['SERVER_SOFTWARE'],
'php'=>PHP_VERSION,
'mysql'=>Db::query("select VERSION() as ver")[0]['ver'],
'protocol'=>$_SERVER['SERVER_PROTOCOL']
];
return json([
'state'=>'success',
'info'=>[
'lattice'=>$lattice,
'summary'=>$summary,
'option'=>$option,
'assets'=>$assets,
'fund'=>$fund,
'load'=>$load,
'run'=>$run
]
]);
}
}

View File

@ -0,0 +1,102 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Menu as Menus;
use think\facade\Db;
use think\exception\ValidateException;
class Menu extends Acl{
//获取
public function record(){
$tree=new \org\Tree();
$menu=$tree::hTree(Menus::order(['sort'=>'asc'])->append(['extension'])->select());
return json(['state'=>'success','info'=>$menu]);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
if(empty($input['id'])){
$this->validate($input,'app\validate\Menu');
}else{
$this->validate($input,'app\validate\Menu.update');
//所属不可等于或包含当前
if(in_array($input['pid'],findTreeArr('menu',$input['id'],'id'))){
throw new ValidateException('所属菜单选择不正确!');
}
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Menus::create($input);
pushLog('新增菜单[ '.$input['name'].' ]');//日志
}else{
//更新数据
Menus::update($input);
pushLog('更新菜单[ '.$input['name'].' ]');//日志
}
//修改上级架构菜单地址|#group
if($input['type']!=1){
Menus::where([['id','=',$input['pid']]])->update(['resource'=>'#group']);
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Menus::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
$subFind=Db::name('menu')->where([['pid','=',$input['id']]])->find();
if(empty($subFind)){
$find=Db::name('menu')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('menu')->where([['id','=',$input['id']]])->delete();
pushLog('删除菜单[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在子数据,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,200 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Mould as Moulds;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Mould extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['name','fullLike'],
['key','fullLike']
]);//构造SQL
$count = Moulds::where($sql)->count();//获取总条数
$info = Moulds::where($sql)->page($input['page'],$input['limit'])->order(['key'=>'asc','sort'=>'asc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Mould'):$this->validate($input,'app\validate\Mould.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Moulds::create($input);
pushLog('新增模板[ '.$input['name'].' ]');//日志
}else{
//更新数据
Moulds::update($input);
pushLog('更新模板[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Moulds::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//复制
public function copy(){
$input=input('post.');
if(existFull($input,['id'])){
$find=Moulds::where([['id','=',$input['id']]])->find()->toArray();
pushLog('复制模板[ '.$find['name'].' ]');//日志
unset($find['id']);//移除主键
$find['name']=$find['name'].'|复制';
Moulds::create($find);
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
$find=Db::name('mould')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('mould')->where([['id','=',$input['id']]])->delete();
pushLog('删除模板[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.mould');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>1024*1024,'fileExt'=>'md']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('mould', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$json=json_decode(file_get_contents($filePath),true);
if(existFull($json,['name','key','source','code','data'])){
$createInfo=Moulds::create($json);
pushLog('导入模板[ '.$createInfo['name'].' ]');//日志
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'模板文件参数不正确!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
delOverdueFile('static.file.mould');//删除过期文件
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
pushLog('导出打印模板');//日志
$info=Moulds::where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();//查询数据
$zipFile=[];
foreach ($info as $infoVo) {
unset($infoVo['id']);
$fileName = str_replace(['/','\\',':','*','"','<','>','|','?'],'_',$infoVo['name']);
$filePath = pathChange('static.file.mould').$fileName.'.md';
file_put_contents($filePath,json_encode($infoVo));
$zipFile[]=$filePath;
}
buildZip('模板文件',$zipFile);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
// --- 场景函数 ---
//获取|ID
public function find(){
$input=input('post.');
if(existFull($input,['id'])){
$mould=Moulds::where([['id','=',$input['id']]])->find();
$result=[
'state'=>'success',
'info'=>$mould
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取|KEY
public function select(){
$input=input('post.');
if(existFull($input,['key'])){
$moulds=Moulds::where([['key','in',$input['key']]])->order(['sort'=>'asc'])->select();
$result=[
'state'=>'success',
'info'=>$moulds
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//更新|模板编辑
public function update(){
$input=input('post.');
if(existFull($input,['id','code'])){
Moulds::where([['id','=',$input['id']]])->update(['code'=>$input['code']]);
$result=['state'=>'success',];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,476 @@
<?php
namespace app\controller;
use app\controller\Acl;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Mrt extends Acl{
//销售利润表
public function mpt(){
$input=input('post.');
$sheet=['sell','sre'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && isset($input['type']) && is_array($input['mold']) && arrayInArray($input['mold'],$sheet)){
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['user','fullEq'],
['people','fullEq']
]);
$sql[]=['examine','=',1];
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('sell',$sql);//数据鉴权[结构一致]
$union=[];
$tab=['sell','sre'];
foreach ($tab as $t) {
if(in_array($t,$input['mold'])){
$union[]=Db::name($t)->where($sql)->fieldRaw('"'.$t.'" as mold,id')->buildSql();
}
}
$union=implode(' UNION ALL ',$union);
$count=DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud')[0]["count"];
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
$bill=['class'=>[],'summary'=>[],'info'=>[],''=>[]];
foreach ($tab as $t) {
if(in_array($t,$input['mold'])){
$gather=search($record)->where([['mold','=',$t]])->select();
$db=['class'=>"app\\model\\".ucfirst($t),'info'=>"app\\model\\".ucfirst($t).'Info'];
$bill['class']=array_merge($bill['class'],$db['class']::with(['frameData','customerData','userData','peopleData'])->fieldRaw('*,"'.$t.'" as mold,time as t')->where([['id','in',array_column($gather,'id')]])->append(['extension'])->select()->toArray());
$bill['summary']=array_merge($bill['summary'],Db::name('summary')->where([['type','=',$t],['class','in',array_column($gather,'id')]])->field(['type','class','info','bct'])->select()->toArray());
//匹配明细
if(!empty($input['type'])){
$bill['info'][$t]=$db['info']::with(['goodsData'])->where([['pid','in',array_column($gather,'id')]])->select()->toArray();
}
}
}
arraySort($bill['class'],'t',SORT_ASC);
$data=[];
//匹配数据
foreach ($bill['class'] as $classVo) {
$row=$classVo;
$row['key']=$row['id'].'_'.$row['mold'];
$row['bill']=['sell'=>'销售单','sre'=>'销售退货单'][$row['mold']];
if($row['mold']=='sell'){
$row['discount']=math()->chain($row['total'])->sub($row['actual'])->done();
}else if($row['mold']=='sre'){
$row['total']=math()->chain($row['total'])->mul(-1)->done();
$row['actual']=math()->chain($row['actual'])->mul(-1)->done();
$row['money']=math()->chain($row['money'])->mul(-1)->done();
$row['discount']=math()->chain($row['total'])->sub($row['actual'])->done();
}
$summary=search($bill['summary'])->where([['type','=',$row['mold']],['class','=',$row['id']]])->select();
$row['act']=mathArraySum(array_column($summary,'bct'));
if($row['bill']=='销售退货单' || $row['bill']=='零售退货单'){
$row['act']=math()->chain($row['act'])->mul(-1)->done();
$row['gpt']=math()->chain($row['actual'])->sub($row['act'])->done();
$row['gpr']='-'.(empty($row['actual'])?(empty($row['gpt'])?'0':'-100'):math()->chain($row['gpt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
$row['npt']=math()->chain($row['gpt'])->sub($row['cost'])->done();
$row['npr']='-'.(empty($row['actual'])?(empty($row['npt'])?'0':'-100'):math()->chain($row['npt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
}else{
$row['gpt']=math()->chain($row['actual'])->sub($row['act'])->done();
$row['gpr']=(empty($row['actual'])?(empty($row['gpt'])?'0':'-100'):math()->chain($row['gpt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
$row['npt']=math()->chain($row['gpt'])->sub($row['cost'])->done();
$row['npr']=(empty($row['actual'])?(empty($row['npt'])?'0':'-100'):math()->chain($row['npt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
}
//匹配明细
$node=[];
if(!empty($input['type'])){
$list=search($bill['info'][$row['mold']])->where([['pid','=',$row['id']]])->select();
foreach ($list as $listVo) {
$detail=[
'name'=>$listVo['goodsData']['name'],
'attr'=>$listVo['attr'],
'unit'=>$listVo['unit'],
'price'=>$listVo['price'],
'nums'=>$listVo['nums'],
'dsc'=>$listVo['dsc'],
'total'=>$listVo['total'],
'tat'=>$listVo['tat'],
'tpt'=>$listVo['tpt']
];
$calc=[];
$calc['act']=empty($listVo['goodsData']['type'])?floatval(search($summary)->where([['info','=',$listVo['id']]])->find()['bct']):0;
$calc['gpt']=math()->chain($detail['tpt'])->sub($calc['act'])->done();
$calc['gpr']=(empty($detail['tpt'])?(empty($calc['gpt'])?'0':'-100'):math()->chain($calc['gpt'])->div($detail['tpt'])->mul(100)->round(2)->done()).'%';
$node[]=['key'=>$row['id'].'_'.$listVo['id'].'_'.$row['mold'],'detail'=>$detail,'act'=>$calc['act'],'gpt'=>$calc['gpt'],'gpr'=>$calc['gpr']];
}
}
$row['node']=$node;
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//销售利润表-导出
public function mptExports(){
$input=input('get.');
$sheet=['sell','sre'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(isset($input['type']) && is_array($input['mold']) && arrayInArray($input['mold'],$sheet)){
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['user','fullEq'],
['people','fullEq']
]);
$sql[]=['examine','=',1];
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('sell',$sql);//数据鉴权[结构一致]
$union=[];
$tab=['sell','sre'];
foreach ($tab as $t) {
if(in_array($t,$input['mold'])){
$union[]=Db::name($t)->where($sql)->fieldRaw('"'.$t.'" as mold,id')->buildSql();
}
}
$union=implode(' UNION ALL ',$union);
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud');
$bill=['class'=>[],'summary'=>[],'info'=>[],''=>[]];
foreach ($tab as $t) {
if(in_array($t,$input['mold'])){
$gather=search($record)->where([['mold','=',$t]])->select();
$db=['class'=>"app\\model\\".ucfirst($t),'info'=>"app\\model\\".ucfirst($t).'Info'];
$bill['class']=array_merge($bill['class'],$db['class']::with(['frameData','customerData','userData','peopleData'])->fieldRaw('*,"'.$t.'" as mold,time as t')->where([['id','in',array_column($gather,'id')]])->append(['extension'])->select()->toArray());
$bill['summary']=array_merge($bill['summary'],Db::name('summary')->where([['type','=',$t],['class','in',array_column($gather,'id')]])->field(['type','class','info','bct'])->select()->toArray());
//匹配明细
if(!empty($input['type'])){
$bill['info'][$t]=$db['info']::with(['goodsData'])->where([['pid','in',array_column($gather,'id')]])->select()->toArray();
}
}
}
arraySort($bill['class'],'t',SORT_ASC);
$data=[];
//匹配数据
foreach ($bill['class'] as $classVo) {
$row=$classVo;
$row['bill']=['sell'=>'销售单','sre'=>'销售退货单'][$row['mold']];
if($row['mold']=='sell'){
$row['discount']=math()->chain($row['total'])->sub($row['actual'])->done();
}else if($row['mold']=='sre'){
$row['total']=math()->chain($row['total'])->mul(-1)->done();
$row['actual']=math()->chain($row['actual'])->mul(-1)->done();
$row['money']=math()->chain($row['money'])->mul(-1)->done();
$row['discount']=math()->chain($row['total'])->sub($row['actual'])->done();
}
$summary=search($bill['summary'])->where([['type','=',$row['mold']],['class','=',$row['id']]])->select();
$row['act']=mathArraySum(array_column($summary,'bct'));
if($row['bill']=='销售退货单' || $row['bill']=='零售退货单'){
$row['act']=math()->chain($row['act'])->mul(-1)->done();
$row['gpt']=math()->chain($row['actual'])->sub($row['act'])->done();
$row['gpr']='-'.(empty($row['actual'])?(empty($row['gpt'])?'0':'-100'):math()->chain($row['gpt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
$row['npt']=math()->chain($row['gpt'])->sub($row['cost'])->done();
$row['npr']='-'.(empty($row['actual'])?(empty($row['npt'])?'0':'-100'):math()->chain($row['npt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
}else{
$row['gpt']=math()->chain($row['actual'])->sub($row['act'])->done();
$row['gpr']=(empty($row['actual'])?(empty($row['gpt'])?'0':'-100'):math()->chain($row['gpt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
$row['npt']=math()->chain($row['gpt'])->sub($row['cost'])->done();
$row['npr']=(empty($row['actual'])?(empty($row['npt'])?'0':'-100'):math()->chain($row['npt'])->div($row['actual'])->mul(100)->round(2)->done()).'%';
}
//匹配明细
$node=[];
if(!empty($input['type'])){
$list=search($bill['info'][$row['mold']])->where([['pid','=',$row['id']]])->select();
foreach ($list as $listVo) {
$detail=[
'name'=>$listVo['goodsData']['name'],
'attr'=>$listVo['attr'],
'unit'=>$listVo['unit'],
'price'=>$listVo['price'],
'nums'=>$listVo['nums'],
'dsc'=>$listVo['dsc'],
'total'=>$listVo['total'],
'tat'=>$listVo['tat'],
'tpt'=>$listVo['tpt']
];
$calc=[];
$calc['act']=empty($listVo['goodsData']['type'])?floatval(search($summary)->where([['info','=',$listVo['id']]])->find()['bct']):0;
$calc['gpt']=math()->chain($detail['tpt'])->sub($calc['act'])->done();
$calc['gpr']=(empty($detail['tpt'])?(empty($calc['gpt'])?'0':'-100'):math()->chain($calc['gpt'])->div($detail['tpt'])->mul(100)->round(2)->done()).'%';
$node[]=['detail'=>$detail,'act'=>$calc['act'],'gpt'=>$calc['gpt'],'gpr'=>$calc['gpr']];
}
}
$row['node']=$node;
$data[]=$row;
}
$source=[];
foreach ($data as $dataVo) {
$source[]=$dataVo;
if(!empty($dataVo['node'])){
foreach ($dataVo['node'] as $node) {
$source[]=$node;
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售利润表'];
//表格数据
$field=[
[
'bill'=>'单据类型',
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'time'=>'单据时间',
'number'=>'单据编号'
],
[
'detail|name'=>'商品名称',
'detail|attr'=>'辅助属性',
'detail|unit'=>'单位',
'detail|price'=>'单价',
'detail|nums'=>'数量',
'detail|dsc'=>'折扣额',
'detail|total'=>'金额',
'detail|tat'=>'税额',
'detail|tpt'=>'价税合计'
],
[
'total'=>'单据金额',
'discount'=>'优惠金额',
'actual'=>'实际金额',
'act'=>'成本',
'gpt'=>'毛利润',
'gpr'=>'毛利率',
'cost'=>'单据费用',
'npt'=>'净利润',
'npr'=>'净利率',
'extension|amount'=>'核销金额',
'extension|nucleus'=>'核销状态',
'userData|name'=>'制单人',
'peopleData|name'=>'关联人员',
'data'=>'备注信息'
]
];
$field=empty($input['type'])?array_merge($field[0],$field[2]):array_merge($field[0],$field[1],$field[2]);
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
]];
//导出execl
buildExcel('销售利润表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//销售排行表
public function mot(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike']
]);
$goods=Db::name('goods')->where($sql)->select()->toArray();
//数据匹配
$existsSql=fastSql($input,[
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['goods','in',array_column($goods,'id')];
$existsSql[]=['examine','=',1];
$existsSql=frameScope($existsSql);
$existsSql=sqlAuth('sell',$existsSql);//结构一致
//多源匹配
$union=[];
$tab=['sell','sre'];
foreach ($tab as $t) {
$union[0][]=Db::name($t.'_info')->alias('info')->join(['is_'.$t=>'class'],'info.pid=class.id')->where($existsSql)->fieldRaw('goods,attr,sum(nums) as nums')->group(['goods,attr'])->buildSql();
}
$union_0=implode(' UNION ALL ',$union[0]);
$count=DB::query('select count(*) as count from ( SELECT count(*) FROM ('.$union_0.') as f GROUP BY goods,attr ) as nodcloud')[0]["count"];
$record=DB::query('SELECT * FROM ('.$union_0.') as nodcloud GROUP BY goods,attr ORDER BY `nums` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
//构造条件|减少查询
foreach ($existsSql as $k=>$v) {
if($v[0]=='goods'){
$existsSql[$k][2]=array_column($record,'goods');
break;
}
}
foreach ($tab as $t) {
$union[1][]=Db::name($t.'_info')->alias('info')->join(['is_'.$t=>'class'],'info.pid=class.id')->where($existsSql)->fieldRaw('"'.$t.'" as mold,goods,attr,group_concat(info.id) as id,sum(dsc) as dsc,'.($t=='barter'?'0 as tat,sum(info.total) as tpt':'sum(tat) as tat,sum(tpt) as tpt'))->group(['goods,attr'])->buildSql();
}
$union_1=implode(' UNION ALL ',$union[1]);
$list=DB::query('SELECT * FROM ('.$union_1.') as nodcloud');
//获取数据
$summary=[];
foreach ($tab as $t) {
$gather=explode(',',implode(',',array_column(search($list)->where([['mold','=',$t]])->select(),'id')));
$summary[$t]=Db::name('summary')->where([['type','=',$t],['info','in',$gather]])->select()->toArray();
}
$data=[];
//统计数据
foreach ($record as $vo) {
$row=[];
$g=search($goods)->where([['id','=',$vo['goods']]])->find();
$row['goodsData']=$g;
$row['attr']=$vo['attr'];
$row['unit']=$g['unit']==-1?'多单位':$g['unit'];
$base=[['goods','=',$vo['goods']],['attr','=',$vo['attr']]];
$gather=[];
foreach ($tab as $t) {
$b=search($list)->where(array_merge($base,[['mold','=',$t]]))->find();
$s=search($summary[$t])->where(array_merge($base,[['type','=',$t]]))->select();
$gather['nums'][$t]=mathArraySum(array_column($s,'nums'));
$gather['dsc'][$t]=empty($b)?0:$b['dsc'];
$gather['tat'][$t]=empty($b)?0:$b['tat'];
$gather['tpt'][$t]=empty($b)?0:$b['tpt'];
$gather['bct'][$t]=mathArraySum(array_column($s,'bct'));
}
$nums=math()->chain($gather['nums']['sell'])->sub($gather['nums']['sre'])->done();
$row['nums']=$g['unit']==-1?unitSwitch($nums,json_decode($g['units'],true)):$nums;
$row['dsc']=math()->chain($gather['dsc']['sell'])->sub($gather['dsc']['sre'])->done();
$row['tat']=math()->chain($gather['tat']['sell'])->sub($gather['tat']['sre'])->done();
$row['tpt']=math()->chain($gather['tpt']['sell'])->sub($gather['tpt']['sre'])->done();
$row['bct']=math()->chain($gather['bct']['sell'])->sub($gather['bct']['sre'])->done();
$row['uct']=empty($nums)?0:math()->chain($row['bct'])->div($nums)->round(2)->abs()->done();
$total=math()->chain($row['tpt'])->sub($row['tat'])->done();
$row['gpt']=math()->chain($total)->sub($row['bct'])->done();
$row['gpr']=(empty($total)?(empty($row['gpt'])?'0':'-100'):math()->chain($row['gpt'])->div($total)->mul(100)->round(2)->done()).'%';
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//销售排行表-导出
public function motExports(){
$input=input('get.');
pushLog('导出销售排行表');//日志
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike']
]);
$goods=Db::name('goods')->where($sql)->select()->toArray();
//数据匹配
$existsSql=fastSql($input,[
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['goods','in',array_column($goods,'id')];
$existsSql[]=['examine','=',1];
$existsSql=frameScope($existsSql);
$existsSql=sqlAuth('buy',$existsSql);//结构一致
//多源匹配
$union=[];
$tab=['sell','sre'];
foreach ($tab as $t) {
$union[0][]=Db::name($t.'_info')->alias('info')->join(['is_'.$t=>'class'],'info.pid=class.id')->where($existsSql)->fieldRaw('goods,attr,sum(nums) as nums')->group(['goods,attr'])->buildSql();
}
$union_0=implode(' UNION ALL ',$union[0]);
$count=DB::query('select count(*) as count from ( SELECT count(*) FROM ('.$union_0.') as f GROUP BY goods,attr ) as nodcloud')[0]["count"];
$record=DB::query('SELECT * FROM ('.$union_0.') as nodcloud GROUP BY goods,attr ORDER BY `nums` DESC');
//匹配数据
foreach ($tab as $t) {
$union[1][]=Db::name($t.'_info')->alias('info')->join(['is_'.$t=>'class'],'info.pid=class.id')->where($existsSql)->fieldRaw('"'.$t.'" as mold,goods,attr,group_concat(info.id) as id,sum(dsc) as dsc,'.($t=='barter'?'0 as tat,sum(info.total) as tpt':'sum(tat) as tat,sum(tpt) as tpt'))->group(['goods,attr'])->buildSql();
}
$union_1=implode(' UNION ALL ',$union[1]);
$list=DB::query('SELECT * FROM ('.$union_1.') as nodcloud');
//获取数据
$summary=[];
foreach ($tab as $t) {
$gather=explode(',',implode(',',array_column(search($list)->where([['mold','=',$t]])->select(),'id')));
$summary[$t]=Db::name('summary')->where([['type','=',$t],['info','in',$gather]])->select()->toArray();
}
$data=[];
//统计数据
foreach ($record as $vo) {
$row=[];
$g=search($goods)->where([['id','=',$vo['goods']]])->find();
$row['goodsData']=$g;
$row['attr']=$vo['attr'];
$row['unit']=$g['unit']==-1?'多单位':$g['unit'];
$base=[['goods','=',$vo['goods']],['attr','=',$vo['attr']]];
$gather=[];
foreach ($tab as $t) {
$b=search($list)->where(array_merge($base,[['mold','=',$t]]))->find();
$s=search($summary[$t])->where(array_merge($base,[['type','=',$t]]))->select();
$gather['nums'][$t]=mathArraySum(array_column($s,'nums'));
$gather['dsc'][$t]=empty($b)?0:$b['dsc'];
$gather['tat'][$t]=empty($b)?0:$b['tat'];
$gather['tpt'][$t]=empty($b)?0:$b['tpt'];
$gather['bct'][$t]=mathArraySum(array_column($s,'bct'));
}
$nums=math()->chain($gather['nums']['sell'])->sub($gather['nums']['sre'])->done();
$row['nums']=$g['unit']==-1?unitSwitch($nums,json_decode($g['units'],true)):$nums;
$row['dsc']=math()->chain($gather['dsc']['sell'])->sub($gather['dsc']['sre'])->done();
$row['tat']=math()->chain($gather['tat']['sell'])->sub($gather['tat']['sre'])->done();
$row['tpt']=math()->chain($gather['tpt']['sell'])->sub($gather['tpt']['sre'])->done();
$row['bct']=math()->chain($gather['bct']['sell'])->sub($gather['bct']['sre'])->done();
$row['uct']=empty($nums)?0:math()->chain($row['bct'])->div($nums)->round(2)->abs()->done();
$total=math()->chain($row['tpt'])->sub($row['tat'])->done();
$row['gpt']=math()->chain($total)->sub($row['bct'])->done();
$row['gpr']=(empty($total)?(empty($row['gpt'])?'0':'-100'):math()->chain($row['gpt'])->div($total)->mul(100)->round(2)->done()).'%';
$data[]=$row;
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售排行表'];
//表格数据
$field=[
'goodsData|name'=>'商品名称',
'attr'=>'辅助属性',
'goodsData|number'=>'商品编号',
'goodsData|spec'=>'规格型号',
'unit'=>'单位',
'nums'=>'数量',
'dsc'=>'折扣额',
'tat'=>'税额',
'tpt'=>'价税合计',
'uct'=>'成本',
'bct'=>'总成本',
'gpt'=>'毛利润',
'gpr'=>'毛利率'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source)
]];
//导出execl
buildExcel('销售排行表',$excel);
}
}

View File

@ -0,0 +1,569 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Oce as Oces,OceInfo,Account};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Oce extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['supplier','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['account','fullEq'],
['people','fullEq'],
['user','fullEq'],
['examine','fullDec1'],
['nucleus','fullDec1'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('oce',$sql);//数据鉴权
$count = Oces::where($sql)->count();//获取总条数
$info = Oces::with(['frameData','supplierData','accountData','peopleData','userData','billData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
$class['nucleus']=0;
empty($class['id'])?$this->validate($class,'app\validate\Oce'):$this->validate($class,'app\validate\Oce.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\OceInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'数据表格第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Oces::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'oce','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增其它支出单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Oces::update($class);
Db::name('record')->insert(['type'=>'oce','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新其它支出单[ '.$class['number'].' ]');//日志
}
//INFO数据
OceInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new OceInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Oces::where([['id','=',$input['parm']]])->find();
$info=OceInfo::with(['ietData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('oce')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('oce')->where([['id','in',$input['parm']]])->delete();
Db::name('oce_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','oce'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除其它支出单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('oce')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$infoList=Db::name('oce_info')->where([['pid','in',$input['parm']]])->order(['id'=>'asc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
$info=search($infoList)->where([['pid','=',$parmVo]])->select();
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
//3 综合匹配
$sourceSum=mathArraySum(array_column($info,'source'));
if(!empty($sourceSum)){
//2.1 匹配费用
$costList=Db::name('cost')->where([['id','in',array_column($info,'source')]])->select()->toArray();
//2.1 构造数据
$costGather=array_map(function($row){
return [['type','=',$row['type']],['class','=',$row['class']]];
},$costList);
}
//4 数据验证
if(empty($class['examine'])){
if(!empty($sourceSum)){
// 关联验证
foreach ($info as $infoKey=>$infoVo) {
$cost=search($costList)->where([['id','=',$infoVo['source']]])->find();
if(!empty($cost)){
if(bccomp(math()->chain($cost['settle'])->add($infoVo['money'])->done(),$cost['money'])==1){
return json(['state'=>'error','info'=>'审核单据[ '.$class['number'].' ]失败,原因:第'.($infoKey+1).'行结算金额超出可结算费用!']);
exit;
}
}
}
}
}else{
//核销单
$bill=Db::name('bill_info')->where([['mold','=','oce'],['source','=',$class['id']]])->find();
if(!empty($bill)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该单据存在关联核销单!']);
exit;
}
}
//5 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 关联单据
$store=['cost'=>[],'costInfo'=>[]];
foreach ($info as $infoKey=>$infoVo){
if(!empty($infoVo['source'])){
//关联费用
$store['cost'][]=['id'=>$infoVo['source'],'settle'=>$infoVo['money']];
//关联费用记录
$store['costInfo'][]=['pid'=>$infoVo['source'],'oce'=>$class['id'],'time'=>$class['time'],'money'=>$infoVo['money']];
}
}
//1.1 处理数据
if(!empty($store['cost'])){
//1 更新详情
Db::name('cost')->duplicate(['settle'=>Db::raw('settle + VALUES(`settle`)')])->insertAll($store['cost']);
//2 更新状态
Db::name('cost')->where([['id','in',array_column($store['cost'],'id')]])->update(['state'=>Db::raw('CASE WHEN settle = money THEN 2 ELSE 1 END')]);
//3 插入记录
Db::name('cost_info')->insertAll($store['costInfo']);
//4 更新单据
$costGroup=Db::name('cost')->whereOr($costGather)->fieldRaw('type,class,group_concat(state) as states')->group(['type','class'])->select()->toArray();
//4.1 组装数据
$bill=[];
foreach ($costGroup as $costGroupVo) {
$states=explode(',',$costGroupVo['states']);
$bill[$costGroupVo['type']][]=['id'=>$costGroupVo['class'],'cse'=>mathArraySum($states)==count($states)*2?2:1];
}
//4.2 更新状态
foreach($bill as $billKey => $billVo){
Db::name($billKey)->duplicate(['cse'=>Db::raw('VALUES(`cse`)')])->insertAll($billVo);
}
}
//2 资金|核销
if(!empty($class['money'])){
//1 更新资金账户
Db::name('account')->where([['id','=',$class['account']]])->dec('balance',$class['money'])->update();
//2 创建资金详情
Db::name('account_info')->insert([
'pid'=>$class['account'],
'type'=>'oce',
'class'=>$class['id'],
'time'=>$class['time'],
'direction'=>0,
'money'=>$class['money']
]);
//3 创建核销记录
Db::name('oce_bill')->insert([
'pid'=>$class['id'],
'type'=>'oce',
'source'=>$class['id'],
'time'=>$class['time'],
'money'=>$class['money']
]);
}
//3 供应商|应付款余额
if(!empty($class['supplier'])){
$balance=math()->chain($class['actual'])->sub($class['money'])->done();
if(!empty($balance)){
Db::name('supplier')->where([['id','=',$class['supplier']]])->inc('balance',$balance)->update();
}
}
//4 更新单据
$nucleus=$class['money']==$class['actual']?2:($class['money']==0?0:1);
Db::name('oce')->where([['id','=',$class['id']]])->update(['examine'=>1,'nucleus'=>$nucleus]);
//5 单据记录
Db::name('record')->insert(['type'=>'oce','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//6 记录操作
pushLog('审核其它支出单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//1 关联单据
$store=['cost'=>[],'costInfo'=>[]];
foreach ($info as $infoKey=>$infoVo){
if(!empty($infoVo['source'])){
//关联费用
$store['cost'][]=['id'=>$infoVo['source'],'settle'=>$infoVo['money']];
//关联费用记录
$store['costInfo'][]=[['pid','=',$infoVo['source']],['oce','=',$class['id']]];
}
}
//1.1 处理数据
if(!empty($store['cost'])){
//1 更新详情
Db::name('cost')->duplicate(['settle'=>Db::raw('settle - VALUES(`settle`)')])->insertAll($store['cost']);
//2 更新状态
Db::name('cost')->where([['id','in',array_column($store['cost'],'id')]])->update(['state'=>Db::raw('CASE WHEN settle = 0 THEN 0 ELSE 1 END')]);
//3 删除记录
Db::name('cost_info')->whereOr($store['costInfo'])->delete();
//4 更新单据
$costGroup=Db::name('cost')->whereOr($costGather)->fieldRaw('type,class,group_concat(state) as states')->group(['type','class'])->select()->toArray();
//4.1 组装数据
$bill=[];
foreach ($costGroup as $costGroupVo) {
$states=explode(',',$costGroupVo['states']);
$bill[$costGroupVo['type']][]=['id'=>$costGroupVo['class'],'cse'=>empty(mathArraySum($states))?0:1];
}
//4.2 更新状态
foreach($bill as $billKey => $billVo){
Db::name($billKey)->duplicate(['cse'=>Db::raw('VALUES(`cse`)')])->insertAll($billVo);
}
}
//2 资金|核销
if(!empty($class['money'])){
//1 更新资金账户
Db::name('account')->where([['id','=',$class['account']]])->inc('balance',$class['money'])->update();
//2 删除资金详情
Db::name('account_info')->where([['type','=','oce'],['class','=',$class['id']]])->delete();
//3 删除核销记录
Db::name('oce_bill')->where([['pid','=',$class['id']]])->delete();
}
//3 供应商|应付款余额
if(!empty($class['supplier'])){
$balance=math()->chain($class['actual'])->sub($class['money'])->done();
if(!empty($balance)){
Db::name('supplier')->where([['id','=',$class['supplier']]])->dec('balance',$balance)->update();
}
}
//4 更新单据
Db::name('oce')->where([['id','=',$class['id']]])->update(['examine'=>0,'nucleus'=>0]);
//5 单据记录
Db::name('record')->insert(['type'=>'oce','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//6 记录操作
pushLog('反审核其它支出单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('oce', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//供应商匹配
if(empty($data[3]['A'])){
$supplier=['id'=>0];
}else{
$supplier=Db::name('supplier')->where([['name','=',$data[3]['A']]])->find();
if(empty($supplier)){
throw new ValidateException('供应商[ '.$data[3]['A'].' ]未匹配!');
}
}
//结算账户匹配
$account=Db::name('account')->where([['name','=',$data[3]['E']]])->find();
if(empty($account)){
throw new ValidateException('资金账户[ '.$data[3]['E'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['F'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['F']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['F'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'supplier'=>$supplier['id'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'total'=>0,
'account'=>$account['id'],
'people'=>$people['id'],
'file'=>[],
'data'=>$data[3]['G'],
'more'=>[],
'examine'=>0,
'nucleus'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Oce');//数据合法性验证
//初始化INFO
$info=[];
$iet=Db::name('iet')->where([['name','in',array_column($data,'H')],['type','=',1]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'iet'=>$dataVo['H'],
'money'=>$dataVo['I'],
'data'=>$dataVo['J']
];
//支出类别匹配
$ietFind=search($iet)->where([['name','=',$record['iet']]])->find();
if(empty($ietFind)){
throw new ValidateException('模板文件第'.$dataKey.'行支出类别[ '.$record['iet'].' ]未匹配!');
}else{
$record['iet']=$ietFind['id'];
}
//结算金额匹配
if(!preg_match("/^(\-)?\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['money'])){
throw new ValidateException('模板文件第'.$dataKey.'行结算金额不正确!');
}
try{
$this->validate($record,'app\validate\OceInfo');//数据合法性验证
//转存数据
$class['total']=math()->chain($class['total'])->add($record['money'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
Db::startTrans();
try {
//新增CLASS
$classData=Oces::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new OceInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'oce','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入其它支出单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出其它支出单列表');//日志
$source=Oces::with(['frameData','supplierData','accountData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'其它支出单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'supplierData|name'=>'供应商',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'actual'=>'实际金额',
'money'=>'单据收款',
'extension|amount'=>'核销金额',
'accountData|name'=>'结算账户',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'extension|nucleus'=>'核销状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总单据金额:'.mathArraySum(array_column($source,'total')),
'总实际金额:'.mathArraySum(array_column($source,'actual')),
'总单据付款:'.mathArraySum(array_column($source,'money')),
'总核销金额:'.mathArraySum(arrayColumns($source,['extension','amount']))
]];
//导出execl
buildExcel('其它支出单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'其它支出单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'供应商:'.$sourceVo['supplierData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'ietData|name'=>'支出类别',
'money'=>'结算金额',
'data'=>'备注信息'
];
//构造表内数据
$info=OceInfo::with(['ietData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'结算账户:'.arraySeek($sourceVo,'accountData|name'),
'核销金额:'.$sourceVo['extension']['amount'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('其它支出单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,45 @@
<?php
namespace app\controller;
use app\controller\Acl;
use think\facade\Db;
use think\exception\ValidateException;
class Often extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=[['user','=',getUserID()]];//构造SQL
$info = Db::name('often')->where($sql)->select();//查询分页数据
$result=[
'state'=>'success',
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['parm'])){
$userID=getUserID();
//处理数据
Db::startTrans();
try {
Db::name('often')->where([['user','=',$userID]])->delete();
$insert=[];
foreach ($input['parm'] as $v) {
$insert[]=['user'=>$userID,'name'=>$v['name'],'key'=>$v['key']];
}
empty($insert)||Db::name('often')->insertAll($insert);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,454 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Omy as Omys,OmyInfo,Account};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Omy extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['supplier','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['people','fullEq'],
['user','fullEq'],
['examine','fullDec1'],
['nucleus','fullDec1'],
['data','fullLike']
]);//构造SQL
//结算账户扩展查询
if(existFull($input,['account'])){
$sql[]=['id','in',array_column(Db::name('omy_info')->where([['account','=',$input['account']]])->select()->toArray(),'pid')];
}
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('omy',$sql);//数据鉴权
$count = Omys::where($sql)->count();//获取总条数
$info = Omys::with(['frameData','supplierData','peopleData','userData','billData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
$class['nucleus']=0;
empty($class['id'])?$this->validate($class,'app\validate\Omy'):$this->validate($class,'app\validate\Omy.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\OmyInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'数据表格第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Omys::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'omy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增付款单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Omys::update($class);
Db::name('record')->insert(['type'=>'omy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新付款单[ '.$class['number'].' ]');//日志
}
//INFO数据
OmyInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
}
$model = new OmyInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Omys::where([['id','=',$input['parm']]])->find();
$info=OmyInfo::with(['accountData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$data=Db::name('omy')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('omy')->where([['id','in',$input['parm']]])->delete();
Db::name('omy_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','omy'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除付款单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('omy')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$infoList=Db::name('omy_info')->where([['pid','in',$input['parm']]])->order(['id'=>'asc'])->select()->toArray();
//2 综合处理
foreach ($input['parm'] as $parmVo) {
//1 匹配数据
$class=search($classList)->where([['id','=',$parmVo]])->find();
$info=search($infoList)->where([['pid','=',$parmVo]])->select();
//2 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(!empty($class['examine'])){
//核销单
$bill=Db::name('bill_info')->where([['mold','=','omy'],['source','=',$class['id']]])->find();
if(!empty($bill)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该单据存在关联核销单!']);
exit;
}
}
//3 数据处理
Db::startTrans();
try {
//场景验证
if(empty($class['examine'])){
//审核
//1 构造数据
$store=['account'=>[],'accountInfo'=>[]];
foreach ($info as $infoKey=>$infoVo){
//1 资金账户
$store['account'][]=['id'=>$infoVo['account'],'balance'=>$infoVo['money']];
//2 资金账户详情
$store['accountInfo'][]=['pid'=>$infoVo['account'],'type'=>'omy','class'=>$class['id'],'time'=>$class['time'],'direction'=>0,'money'=>$infoVo['money']];
}
//2 资金账户
Db::name('account')->duplicate(['balance'=>Db::raw('balance - VALUES(`balance`)')])->insertAll($store['account']);
//3 资金账户
Db::name('account_info')->insertAll($store['accountInfo']);
//4 供应商|应付款余额
Db::name('supplier')->where([['id','=',$class['supplier']]])->dec('balance',$class['total'])->update();
//5 更新单据
Db::name('omy')->where([['id','=',$class['id']]])->update(['examine'=>1]);
//6 单据记录
Db::name('record')->insert(['type'=>'omy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
//7 记录操作
pushLog('审核付款单[ '.$class['number'].' ]');//单据日志
}else{
//反审核
//1 匹配数据
$listSql=[['type','=','omy'],['class','=',$class['id']]];
$accountInfoList=Db::name('account_info')->where($listSql)->select()->toArray();
//2 资金账户
$accountDuplicate=[];
foreach ($accountInfoList as $accountInfoVo) {
$accountDuplicate[]=['id'=>$accountInfoVo['pid'],'balance'=>$accountInfoVo['money']];
}
//2.1 更新资金
Db::name('account')->duplicate(['balance'=>Db::raw('balance + VALUES(`balance`)')])->insertAll($accountDuplicate);
//2.2 删除资金详情
Db::name('account_info')->where([['id','in',array_column($accountInfoList,'id')]])->delete();
//3 供应商|应付款余额
Db::name('supplier')->where([['id','=',$class['supplier']]])->inc('balance',$class['total'])->update();
//4 更新单据
Db::name('omy')->where([['id','=',$class['id']]])->update(['examine'=>0]);
//5 单据记录
Db::name('record')->insert(['type'=>'omy','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
//6 记录操作
pushLog('反审核付款单[ '.$class['number'].' ]');//单据日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('omy', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//供应商匹配
$supplier=Db::name('supplier')->where([['name','=',$data[3]['A']]])->find();
if(empty($supplier)){
throw new ValidateException('供应商[ '.$data[3]['A'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['E'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['E']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['E'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'supplier'=>$supplier['id'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'total'=>0,
'people'=>$people['id'],
'file'=>[],
'data'=>$data[3]['F'],
'more'=>[],
'examine'=>0,
'nucleus'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Omy');//数据合法性验证
//初始化INFO
$info=[];
$account=Db::name('account')->where([['name','in',array_column($data,'G')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'account'=>$dataVo['G'],
'money'=>$dataVo['H'],
'settle'=>$dataVo['I'],
'data'=>$dataVo['J']
];
//结算账户匹配
$accountFind=search($account)->where([['name','=',$record['account']]])->find();
if(empty($accountFind)){
throw new ValidateException('模板文件第'.$dataKey.'行结算账户[ '.$record['account'].' ]未匹配!');
}else{
$record['account']=$accountFind['id'];
}
//结算金额匹配
if(!preg_match("/^(\-)?\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['money'])){
throw new ValidateException('模板文件第'.$dataKey.'行结算金额不正确!');
}
try{
$this->validate($record,'app\validate\OmyInfo');//数据合法性验证
//转存数据
$class['total']=math()->chain($class['total'])->add($record['money'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
Db::startTrans();
try {
//新增CLASS
$classData=Omys::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new OmyInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'omy','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入付款单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出付款单列表');//日志
$source=Omys::with(['frameData','supplierData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'付款单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'supplierData|name'=>'供应商',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'extension|amount'=>'核销金额',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'extension|nucleus'=>'核销状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'总单据金额:'.mathArraySum(array_column($source,'total')),
'总核销金额:'.mathArraySum(arrayColumns($source,['extension','amount']))
]];
//导出execl
buildExcel('付款单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'付款单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'供应商:'.$sourceVo['supplierData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'accountData|name'=>'结算账户',
'money'=>'结算金额',
'settle'=>'结算号',
'data'=>'备注信息'
];
//构造表内数据
$info=OmyInfo::with(['accountData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'核销金额:'.$sourceVo['extension']['amount'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('付款单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,235 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\{People as Peoples,Sys};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class People extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['sex','fullDec1'],
['tel','fullLike'],
['add','fullLike'],
['card','fullLike'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('people',$sql);//数据鉴权
$count = Peoples::where($sql)->count();//获取总条数
$info = Peoples::with(['frameData'])->append(['extension'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//构造|验证
try {
$input['py']=zhToPy($input['name']);//首拼信息
empty($input['id'])?$this->validate($input,'app\validate\People'):$this->validate($input,'app\validate\People.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Peoples::create($input);
pushLog('新增人员[ '.$input['name'].' ]');//日志
}else{
//更新数据
Peoples::update($input);
pushLog('更新人员[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Peoples::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//关联判断
$exist=moreTableFind([
['table'=>'allot','where'=>[['people','in',$input['parm']]]],
['table'=>'barter','where'=>[['people','in',$input['parm']]]],
['table'=>'bill','where'=>[['people','in',$input['parm']]]],
['table'=>'bor','where'=>[['people','in',$input['parm']]]],
['table'=>'bre','where'=>[['people','in',$input['parm']]]],
['table'=>'buy','where'=>[['people','in',$input['parm']]]],
['table'=>'entry','where'=>[['people','in',$input['parm']]]],
['table'=>'extry','where'=>[['people','in',$input['parm']]]],
['table'=>'ice','where'=>[['people','in',$input['parm']]]],
['table'=>'oce','where'=>[['people','in',$input['parm']]]],
['table'=>'imy','where'=>[['people','in',$input['parm']]]],
['table'=>'omy','where'=>[['people','in',$input['parm']]]],
['table'=>'sell','where'=>[['people','in',$input['parm']]]],
['table'=>'sor','where'=>[['people','in',$input['parm']]]],
['table'=>'sre','where'=>[['people','in',$input['parm']]]],
['table'=>'swap','where'=>[['people','in',$input['parm']]]]
]);
if(empty($exist)){
//逻辑处理
$data=Db::name('people')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
Db::name('people')->where([['id','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除人员[ '.implode(' | ',array_column($data,'name')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除列名行
$sql=[];//初始化SQL
$frame=Db::name('frame')->where([['name','in',array_column($data,'C')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'name'=>$dataVo['A'],
'py'=>zhToPy($dataVo['A']),
'number'=>$dataVo['B'],
'frame'=>$dataVo['C'],
'sex'=>$dataVo['D'],
'tel'=>$dataVo['E'],
'add'=>$dataVo['F'],
'card'=>$dataVo['G'],
'data'=>$dataVo['H'],
'more'=>[]
];
//所属组织匹配
$frameFind=search($frame)->where([['name','=',$record['frame']]])->find();
if(empty($frameFind)){
throw new ValidateException('模板文件第'.$dataKey.'行所属组织[ '.$record['frame'].' ]未匹配!');
}else{
$record['frame']=$frameFind['id'];
}
//人员性别匹配
if(in_array($record['sex'],['男','女'])){
$record['sex']=$record['sex']=='男'?1:0;
}else{
throw new ValidateException('模板文件第'.$dataKey.'行人员性别[ '.$record['sex'].' ]未匹配!');
}
try {
//数据合法性验证
$this->validate($record,'app\validate\People');
$sql[]=$record;//加入SQL
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第[ '.$dataKey.' ]行'.$e->getError()]);
exit;
}
}
//判断编号重复
$column=array_column($sql,'number');
$unique=array_unique($column);
$diff=array_diff_assoc($column,$unique);
if(!empty($diff)){
//返回错误信息
return json(['state'=>'error','info'=>'模板文件人员编号[ '.implode(' | ',$diff).' ]重复!']);
}
//新增数据
$customer = new Peoples;
$customer->saveAll($sql);
pushLog('批量导入[ '.count($sql).' ]条人员数据');//日志
$result=['state'=>'success','info'=>'成功导入'.count($sql).'行人员数据'];
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$info=Peoples::with(['frameData'])->append(['extension'])->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();//查询数据
$field=[
'name'=>'人员名称',
'number'=>'人员编号',
'frameData|name'=>'所属组织',
'extension|sex'=>'人员性别',
'tel'=>'联系电话',
'add'=>'联系地址',
'card'=>'身份证号',
'data'=>'备注信息'
];
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'人员信息'];
//表格数据
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($info)]];
//导出execl
pushLog('导出人员信息');//日志
buildExcel('人员信息',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,51 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Period as Periods;
use think\facade\Db;
class Period extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=sqlAuth('period',[]);
$count = Periods::where($sql)->count();//获取总条数
$info = Periods::with(['userData'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//结账
public function save(){
$input=input('post.');
if(existFull($input,['date']) && strtotime($input['date'])){
$period=getPeriod();
$date=strtotime($input['date']);
if($date>$period){
$data=['date'=>$date,'time'=>time(),'user'=>getUserID()];
Db::name('period')->insert($data);
pushLog('结账操作');//日志
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'结账周期不正确!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//反结账
public function back(){
$period=getPeriod();
$row=db('period')->where([['date','=',$period]])->delete();
pushLog('反结账操作');//日志
return json(['state'=>'success']);
}
}

View File

@ -0,0 +1,103 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\Role as Roles;
use think\facade\Db;
use think\exception\ValidateException;
class Role extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
['name','fullLike'],
['data','fullLike']
]);//构造SQL
$count = Roles::where($sql)->count();//获取总条数
$info = Roles::where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Role'):$this->validate($input,'app\validate\Role.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Roles::create($input);
pushLog('新增用户角色[ '.$input['name'].' ]');//日志
}else{
//更新数据
Roles::update($input);
pushLog('更新用户角色[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Roles::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
//关联判断
$exist=moreTableFind([
['table'=>'user','where'=>[['role','=',$input['id']]]],
]);
//判断数据是否存在
if(!$exist){
$find=Db::name('role')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('role')->where([['id','=',$input['id']]])->delete();
pushLog('删除用户角色[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,450 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use think\Model;
use app\model\{Goods,RoomInfo,SerialInfo};
use think\facade\Db;
use think\exception\ValidateException;
class Serial extends Acl {
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit']) && isset($input['warehouse']) && is_array($input['warehouse'])){
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->select()->toArray();
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//批次查询
$serialSql=fastSql($input,[
[['serial'=>'number'],'fullLike'],
['state','fullDec1']
]);//构造SQL
$serialSql[]=['warehouse','in',array_column($warehouse,'id')];
//查询操作
if(existFull($input,['batch'])){
$exists=Db::name('batch')->where([['number','like','%'.$input['batch'].'%'],['id','=',Db::raw('serial.batch')]])->buildSql(false);
$serial=Db::name('serial')->where($serialSql)->alias('serial')->whereExists($exists)->select()->toArray();
}else{
$serial=Db::name('serial')->where($serialSql)->select()->toArray();
}
//查询商品
$sql[]=['id','in',array_column($serial,'goods')];
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->page($input['page'],$input['limit'])->append(['extension'])->select()->toArray();
//唯一标识|属性处理
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['key']=$infoVo['id'];
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$info[$infoKey]['attr'][$attrKey]['key']=$infoVo['id'].'.'.$attrVo['id'];
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//库存集合[g:商品|a:属性]
$gather=['g'=>[],'ga'=>[]];
//二次匹配
$serial=search($serial)->where([['goods','in',array_column($info,'id')]])->select();
//查询库存数据-仓储
$room=Db::name('room')->where([['id','in',array_unique(array_column($serial,'room'))]])->select()->toArray();
//构造序列数据
foreach ($serial as $serialKey=>$serialVo) {
//商品
$g=md5_16($serialVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add(1)->done();
//判断属性
$find=search($room)->where([['id','=',$serialVo['room']]])->find();
if(empty($find['attr'])){
$serial[$serialKey]['attr']=null;
}else{
//商品|属性
$ga=md5_16($serialVo['goods'].'&'.$find['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add(1)->done();
$serial[$serialKey]['attr']=$find['attr'];
}
}
//匹配数据
$batch=Db::name('batch')->where([['id','in',array_unique(array_column($serial,'batch'))]])->select()->toArray();
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?$gather['g'][$g]:0;
if(empty($infoVo['attr'])){
$list=search($serial)->where([['goods','=',$infoVo['id']],['attr','=',null]])->select();
foreach ($list as $listVo) {
$row=[
'key'=>md5_16($infoVo['id'].'&'.$listVo['id']),
'serial'=>$listVo['id'],
'name'=>$listVo['number'],
'summary'=>1,
'state'=>['未销售','已销售','已调拨','已退货'][$listVo['state']]
];
//仓库信息
$warehouseFind=search($warehouse)->where([['id','=',$listVo['warehouse']]])->find();
$row['warehouse']=$warehouseFind['name'];
//批次信息
if(empty($listVo['batch'])){
$row['batch']='';
}else{
$batchFind=search($batch)->where([['id','=',$listVo['batch']]])->find();
$row['batch']=$batchFind['number'];
}
$info[$infoKey]['attr'][]=$row;
}
}else{
$list=search($serial)->where([['goods','=',$infoVo['id']],['attr','<>',null]])->select();
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?$gather['ga'][$ga]:0;
$select=search($list)->where([['attr','=',$attrVo['name']]])->select();
foreach ($select as $selectVo) {
$row=[
'key'=>md5_16($infoVo['id'].'&'.$selectVo['id']),
'serial'=>$selectVo['id'],
'name'=>$selectVo['number'],
'summary'=>1,
'state'=>['未销售','已销售','已调拨','已退货'][$selectVo['state']]
];
//仓库信息
$warehouseFind=search($warehouse)->where([['id','=',$selectVo['warehouse']]])->find();
$row['warehouse']=$warehouseFind['name'];
//批次信息
if(empty($selectVo['batch'])){
$row['batch']='';
}else{
$batchFind=search($batch)->where([['id','=',$selectVo['batch']]])->find();
$row['batch']=$batchFind['number'];
}
$info[$infoKey]['attr'][$attrKey]['attr'][]=$row;
}
if(empty($select))unset($info[$infoKey]['attr'][$attrKey]);
}
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
existFull($input,['warehouse'])||$input['warehouse']=[];
if(isset($input['warehouse']) && is_array($input['warehouse'])){
pushLog('导出序列列表');//日志
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->select()->toArray();
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//批次查询
$serialSql=fastSql($input,[
[['serial'=>'number'],'fullLike'],
['state','fullDec1']
]);//构造SQL
$serialSql[]=['warehouse','in',array_column($warehouse,'id')];
//查询操作
if(existFull($input,['batch'])){
$exists=Db::name('batch')->where([['number','like','%'.$input['batch'].'%'],['id','=',Db::raw('serial.batch')]])->buildSql(false);
$serial=Db::name('serial')->where($serialSql)->alias('serial')->whereExists($exists)->select()->toArray();
}else{
$serial=Db::name('serial')->where($serialSql)->select()->toArray();
}
//查询商品
$sql[]=['id','in',array_column($serial,'goods')];
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//唯一标识|属性处理
foreach ($info as $infoKey=>$infoVo) {
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//库存集合[g:商品|a:属性]
$gather=['g'=>[],'ga'=>[]];
//二次匹配
$serial=search($serial)->where([['goods','in',array_column($info,'id')]])->select();
//查询库存数据-仓储
$room=Db::name('room')->where([['id','in',array_unique(array_column($serial,'room'))]])->select()->toArray();
//构造序列数据
foreach ($serial as $serialKey=>$serialVo) {
//商品
$g=md5_16($serialVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add(1)->done();
//判断属性
$find=search($room)->where([['id','=',$serialVo['room']]])->find();
if(empty($find['attr'])){
$serial[$serialKey]['attr']=null;
}else{
//商品|属性
$ga=md5_16($serialVo['goods'].'&'.$find['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add(1)->done();
$serial[$serialKey]['attr']=$find['attr'];
}
}
//匹配数据
$batch=Db::name('batch')->where([['id','in',array_unique(array_column($serial,'batch'))]])->select()->toArray();
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?$gather['g'][$g]:0;
if(empty($infoVo['attr'])){
$list=search($serial)->where([['goods','=',$infoVo['id']],['attr','=',null]])->select();
foreach ($list as $listVo) {
$row=[
'name'=>$listVo['number'],
'summary'=>1,
'state'=>['未销售','已销售','已调拨','已退货'][$listVo['state']]
];
//仓库信息
$warehouseFind=search($warehouse)->where([['id','=',$listVo['warehouse']]])->find();
$row['warehouse']=$warehouseFind['name'];
//批次信息
if(empty($listVo['batch'])){
$row['batch']='';
}else{
$batchFind=search($batch)->where([['id','=',$listVo['batch']]])->find();
$row['batch']=$batchFind['number'];
}
$info[$infoKey]['attr'][]=$row;
}
}else{
$list=search($serial)->where([['goods','=',$infoVo['id']],['attr','<>',null]])->select();
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?$gather['ga'][$ga]:0;
$select=search($list)->where([['attr','=',$attrVo['name']]])->select();
foreach ($select as $selectVo) {
$row=[
'name'=>$selectVo['number'],
'summary'=>1,
'state'=>['未销售','已销售','已调拨','已退货'][$selectVo['state']]
];
//仓库信息
$warehouseFind=search($warehouse)->where([['id','=',$selectVo['warehouse']]])->find();
$row['warehouse']=$warehouseFind['name'];
//批次信息
if(empty($selectVo['batch'])){
$row['batch']='';
}else{
$batchFind=search($batch)->where([['id','=',$selectVo['batch']]])->find();
$row['batch']=$batchFind['number'];
}
$info[$infoKey]['attr'][$attrKey]['attr'][]=$row;
}
if(empty($select))unset($info[$infoKey]['attr'][$attrKey]);
}
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
}
//结构重组
$source=[];
foreach ($info as $infoVo) {
$source[]=$infoVo;
if(!empty($infoVo['attr'])){
foreach ($infoVo['attr'] as $attrVo) {
$attrVo['name']='|- '.$attrVo['name'];
$source[]=$attrVo;
if(existFull($attrVo,['attr'])){
foreach ($attrVo['attr'] as $subVo) {
$subVo['name']='|-- '.$subVo['name'];
$source[]=$subVo;
}
}
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'序列列表'];
//表格数据
$field=array_merge(['name'=>'商品名称','summary'=>'库存数量','state'=>'序列状态','warehouse'=>'所属仓库','batch'=>'所属批次','number'=>'商品编号','spec'=>'规格型号','categoryData|name'=>'商品分类','brand'=>'商品品牌','extension|unit'=>'商品单位','code'=>'商品条码','data'=>'商品备注']);
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('序列列表',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
//详情列表
public function detailRecord(){
$input=input('post.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['type'])||$input['type']=$sheet;
if(existFull($input,['page','limit','serial']) && is_arrays($input,['serial','type']) && arrayInArray($input['type'],$sheet)){
//构造SQL|serial
$sql=fastSql($input,[
[['serial'=>'id'],'fullIn']
]);
//查询仓储数据
$serial=Db::name('serial')->where($sql)->field(['id'])->select()->toArray();
if(empty($serial)){
$count=0;
$info=[];
}else{
//构造SQL|SERIALINFO
$infoSql=fastSql($input,[['type','fullIn']]);
$infoSql[]=['pid','in',array_column($serial,'id')];
//子查询SQL
$existsSql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['id','=',Db::raw('info.class')];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['type'])){
$union[]=Db::name($v)->where([['info.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$count=SerialInfo::alias('info')->where($infoSql)->whereExists($union)->count();
$info=SerialInfo::with(['sourceData'=>['frameData']])->alias('info')->where($infoSql)->whereExists($union)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//详情导出
public function detailExports(){
$input=input('get.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['serial'])||$input['serial']=[];
existFull($input,['type'])||$input['type']=$sheet;
if(existFull($input,['serial']) && is_arrays($input,['serial','type']) && arrayInArray($input['type'],$sheet)){
pushLog('导出序列详情');//日志
//构造SQL|serial
$sql=fastSql($input,[
[['serial'=>'id'],'fullIn']
]);
//查询仓储数据
$serial=Db::name('serial')->where($sql)->field(['id','number'])->select()->toArray();
if(empty($serial)){
$source=[];
}else{
//构造SQL|SERIALINFO
$infoSql=fastSql($input,[['type','fullIn']]);
$infoSql[]=['pid','in',array_column($serial,'id')];
//子查询SQL
$existsSql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['id','=',Db::raw('info.class')];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['type'])){
$union[]=Db::name($v)->where([['info.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$source=SerialInfo::with(['sourceData'=>['frameData']])->alias('info')->where($infoSql)->whereExists($union)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'序列详情'];
//表格数据
$field=[
'sourceData|frameData|name'=>'所属组织',
'sourceData|time'=>'操作时间',
'extension|type'=>'单据类型',
'sourceData|number'=>'单据编号'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('序列详情',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,627 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Goods,Serial,Batch,Cost};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Service extends Acl {
//基础数据
public function store() {
$tree = new \org\Tree();
//获取用户权限架构数据
$userFrame = getUserAuth('frame');
if($userFrame=='all'){
$frame=$tree::hTree(Db::name('frame')->select()->toArray(),-1);
}else{
$frame=Db::name('frame')->where([['id','in',$userFrame]])->select()->toArray();
//追加子数据
foreach ($frame as $frameKey=>$frameVo) {
$frame[$frameKey]['sub']=[];
}
}
//获取用户权限菜单
$menu = $tree::hTree(getRootMemu());
//获取全局字段配置
$fields = getFields();
//获取用户权限数据
$root = getUserRoot();
//获取商品类别数据
$category = $tree::hTree(Db::name('category')->order(['sort'=>'asc'])->select()->toArray(),-1);
//获取仓库数据
$warehouse=Db::name('warehouse')->where(sqlAuth('warehouse',[]))->field(['id','name'])->order(['id'=>'desc'])->select();
//获取资金账户
$account=Db::name('account')->where(sqlAuth('account',[]))->field(['id','name'])->order(['id'=>'desc'])->select();
//获取收支类别
$ietList=Db::name('iet')->order(['sort'=>'asc'])->select()->toArray();
$iet=['in'=>search($ietList)->where([['type','=',0]])->select(),'out'=>search($ietList)->where([['type','=',1]])->select()];
//获取常用功能
$often = Db::name('often')->where([['user','=',getUserId()]])->field(['name','key'])->select();
//获取系统参数
$sys = getSys(['name','icp','notice','brand','unit','crCategory','crGrade','srCategory','fun','logistics']);
//返回数据
return json(['state' => 'success','info' => [
'frame' => $frame,
'menu' => $menu,
'fields' => $fields,
'root'=>$root,
'category' => $category,
'warehouse' => $warehouse,
'account' => $account,
'iet' => $iet,
'often' => $often,
'sys' => $sys
]]);
}
//获取|组织数据
public function getFrame(){
$cache=cache(getToken());
$result = ['state' => 'success','info'=>isset($cache['frame'])?$cache['frame']:[]];
return json($result);
}
//保存|组织数据
public function saveFrame(){
$input=input('post.');
if(existFull($input,['parm']) || is_array($input['parm'])){
$token=getToken();
$cache=cache($token);
$cache['frame']=$input['parm'];
cache($token,$cache);
$result = ['state' => 'success'];
}else{
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//获取|商品列表
public function goodsRecord(){
$input = input('post.');
if (existFull($input,['page','limit'])) {
$sql=fastSql($input,[
[['mate'=>'name|py|number|spec'],'fullLike'],
['code','fullEq'],
['brand','fullEq'],
['type','fullDec1'],
['data','fullLike']
]);
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//唯一标识|属性处理
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['key']=$infoVo['id'];
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$info[$infoKey]['attr'][$attrKey]['key']=$infoVo['id'].'.'.$attrVo['id'];
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//商品|扫码接口
public function goodsScan(){
$input = input('post.');
if (existFull($input,['code'])) {
$sql=[['code','=',$input['code']]];
$sqlOr=[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]];
//查询数据
$info = Goods::with(['attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->select()->toArray();
//处理|辅助属性条形码
foreach ($info as $infoKey=>$infoVo) {
//匹配|有辅助属性|主条形码不同
if(!empty($infoVo['attr']) && $infoVo['code']!=$input['code']){
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
if($attrVo['code']!=$input['code']){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
}
$result = [
'state' => 'success',
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//获取|库存信息
public function goodsDepot(){
$input = input('post.');
if (existFull($input,['page','limit','goods']) && isset($input['attr'])){
//查询数据
$warehouseSql=sqlAuth('warehouse',[]);
$count=Db::name('warehouse')->where($warehouseSql)->count();
$warehouse=Db::name('warehouse')->where($warehouseSql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//匹配数据
$room=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','=',$input['goods']],['attr','=',$input['attr']]])->select()->toArray();
//构造数据
$info=[];
foreach ($warehouse as $warehouseVo) {
$item=['warehouse'=>$warehouseVo['id']];
$item['name']=$warehouseVo['name'];
//仓储查询
$roomFind=search($room)->where([['warehouse','=',$warehouseVo['id']]])->find();
//记录赋值
$item['nums']=empty($roomFind)?0:floatval($roomFind['nums']);
//记录转存
$info[]=$item;
}
//数据处理|单位转换
$goods=Db::name('goods')->where([['id','=',$input['goods']]])->find();
if($goods['unit']=='-1'){
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['nums']=unitSwitch($infoVo['nums'],json_decode($goods['units'],true));
}
}
//返回数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//商品|最近价格
public function recentPrice(){
$input = input('post.');
if(existFull($input,['model','source','goods']) && in_array($input['model'],['bor','buy','bre','sor','sell','sre']) && isset($input['attr']) && isset($input['unit'])){
$model=$input['model'];
//构造CLASS条件
$sql=[['examine','=',1]];
//场景匹配
in_array($model,['bor','buy','bre'])&&$sql[]=['supplier','=',$input['source']];//供应商
in_array($model,['sor','sell','sre'])&&$sql[]=['customer','=',$input['source']];//客户
//查询CLASS数据
$sql=sqlAuth($model,$sql);//数据鉴权
$class=Db::name($model)->where($sql)->field(['id'])->order(['id'=>'desc'])->select()->toArray();
if(empty($class)){
$result = ['state' => 'success','info' => 0];
}else{
//查询INFO数据
$parm=[
['pid','in',array_column($class,'id')],
['goods','=',$input['goods']],
['attr','=',$input['attr']],
['unit','=',$input['unit']]
];
$info=Db::name($model.'_info')->where($parm)->order(['pid'=>'desc'])->find();
if(empty($info)){
$result = ['state' => 'success','info' => 0];
}else{
$result = ['state' => 'success','info' => floatval($info['price'])];
}
}
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//商品序列号
public function getSerial(){
$input = input('post.');
if(existFull($input,['page','limit','warehouse','goods']) && isset($input['attr']) && isset($input['batch']) && isset($input['mfd']) && isset($input['state'])){
$room=Db::name('room')->where([['warehouse','=',$input['warehouse']],['goods','=',$input['goods']],['attr','=',$input['attr']]])->find();
if(empty($room)){
$result = ['state' => 'success','count' => 0,'info' => []];
}else{
if(empty($input['batch'])){
$batch=['id'=>0];
}else{
$batch=Db::name('batch')->where([['room','=',$room['id']],['number','=',$input['batch']],['time','=',empty($input['mfd'])?0:strtotime($input['mfd'])]])->find();
if(empty($batch)){
return json(['state' => 'success','count' => 0,'info' => []]);
exit;
}
}
$count=Serial::where([['room','=',$room['id']],['batch','=',$batch['id']],['state','=',$input['state']]])->count();
$info=Serial::where([['room','=',$room['id']],['batch','=',$batch['id']],['state','=',$input['state']]])->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'asc'])->select();
$result = ['state' => 'success','count' => $count,'info' => $info];
}
}else{
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//商品批次号
public function getBatch(){
$input = input('post.');
if(existFull($input,['page','limit','warehouse','goods']) && isset($input['attr'])){
//匹配仓储
$room=Db::name('room')->where([['warehouse','=',$input['warehouse']],['goods','=',$input['goods']],['attr','=',$input['attr']]])->find();
if(empty($room)){
$result = ['state' => 'success','count' => 0,'info' => []];
}else{
//匹配批次号
$sql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);//构造SQL
$sql[]=['room','=',$room['id']];
$count=Batch::where($sql)->count();
$info=Batch::where($sql)->page($input['page'],$input['limit'])->order(['id'=>'asc'])->select()->toArray();
//数据处理|单位转换
$goods=Db::name('goods')->where([['id','=',$input['goods']]])->find();
if($goods['unit']=='-1'){
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['nums']=unitSwitch($infoVo['nums'],json_decode($goods['units'],true));
}
}
$result = ['state' => 'success','count' => $count,'info' => $info];
}
}else{
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//单据列表
public function billRecord(){
$input = input('post.');
if (existFull($input,['page','limit','mold']) && in_array($input['mold'],['imy','omy','buy','bre','sell','sre','ice','oce'])) {
if(in_array($input['mold'],['omy','buy','bre','oce'])){
$sql=fastSql($input,[
['supplier','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['user','fullEq'],
['data','fullLike']
]);
}else{
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['user','fullEq'],
['data','fullLike']
]);
}
$sql[]=['examine','=',1];
$sql[]=existFull($input,['nucleus'])?['nucleus','=',$input['nucleus']-1]:['nucleus','in',[0,1]];
$sql=sqlAuth($input['mold'],$sql);//数据鉴权
$table=['imy'=>'\app\model\Imy','omy'=>'\app\model\Omy','buy'=>'\app\model\Buy','bre'=>'\app\model\Bre','sell'=>'\app\model\Sell','sre'=>'\app\model\Sre','ice'=>'\app\model\Ice','oce'=>'\app\model\Oce'];
$count = $table[$input['mold']]::where($sql)->count();//获取总条数
$info = $table[$input['mold']]::with(['frameData','userData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
//数据处理
foreach ($info as $key=>$vo) {
in_array($input['mold'],['buy','bre','sell','sre','ice','oce'])&&$info[$key]['total']=$vo['actual'];
}
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//匹配|下拉接口
public function getScene() {
$input = input('post.');
if (existFull($input,['id','scene'])) {
$find=Db::name($input['scene'])->where([['id','=',$input['id']]])->find();
$result=['state' => 'success','info' => $find];
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//用户角色|下拉接口
public function roleRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name|py'],'fullLike']
]);
$count = Db::name('role')->where($sql)->count();
//获取总条数
$info = Db::name('role')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//用户数据|下拉接口
public function userRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name|py'],'fullLike']
]);
isset($input['noAuth']) || ($sql = sqlAuth('user',$sql));
//数据鉴权
$count = Db::name('user')->where($sql)->count();
//获取总条数
$info = Db::name('user')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//人员数据|下拉接口
public function peopleRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name|py'],'fullLike']
]);
isset($input['noAuth']) || ($sql = sqlAuth('people',$sql));
//数据鉴权
$count = Db::name('people')->where($sql)->count();
//获取总条数
$info = Db::name('people')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//仓库数据|下拉接口
public function warehouseRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name|py'],'fullLike']
]);
$sql = sqlAuth('warehouse',$sql);//数据鉴权
$count = Db::name('warehouse')->where($sql)->count();
//获取总条数
$info = Db::name('warehouse')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//供应商数据|下拉接口
public function supplierRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name|py'],'fullLike']
]);
$sql = sqlAuth('supplier',$sql);//数据鉴权
$count = Db::name('supplier')->where($sql)->count();
//获取总条数
$info = Db::name('supplier')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//客户数据|下拉接口
public function customerRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name|py|contacts'],'fullLike']
]);
$sql = sqlAuth('customer',$sql);//数据鉴权
$count = Db::name('customer')->where($sql)->count();
//获取总条数
$info = Db::name('customer')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
//返回数据
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//资金账户|下拉接口
public function accountRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name'],'fullLike']
]);
$sql = sqlAuth('account',$sql);//数据鉴权
$count = Db::name('account')->where($sql)->count();
//获取总条数
$info = Db::name('account')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//收支类别|下拉接口
public function ietRecord() {
$input = input('post.');
if (existFull($input,['page','limit'])) {
//构造SQL
$sql = fastSql($input,[
[['query'=>'name'],'fullLike']
]);
$count = Db::name('iet')->where($sql)->count();
//获取总条数
$info = Db::name('iet')->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();
//查询分页数据
$result = [
'state' => 'success',
'count' => $count,
'info' => $info
];
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//费用详情|数据接口
public function getCost() {
$input = input('post.');
if (existFull($input,['cost'])) {
$info=Cost::with(['sourceData','ietData'])->where([['id','=',$input['cost']]])->append(['extension'])->find()->toArray();
$info['uat']=math()->chain($info['money'])->sub($info['settle'])->done();
$result = ['state' => 'success','info' => $info];
} else {
$result = ['state' => 'error','info' => '传入参数不完整!'];
}
return json($result);
}
//零售配置
public function getDeploy(){
$deploy=getFrameDeploy();
if(!empty($deploy)){
//安全处理-隐藏接口配置
$deploy['wechat']=[
'enable'=>$deploy['wechat']['enable'],
'account'=>$deploy['wechat']['account']
];
$deploy['ali']=[
'enable'=>$deploy['ali']['enable'],
'account'=>$deploy['ali']['account']
];
}
return json(['state'=>'success','info'=>$deploy]);
}
//扩展字段文件上传
public function fieldUpload() {
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('field', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result=['state' => 'error','info' => $e->getMessage()];
}
}
return json($result);
}
//编辑器图像上传
public function editorUpload(){
$files=request()->file('images');//获取上传文件
if(empty($files)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
//文件限制2MB
foreach ($files as $file) {
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'png,gif,jpg,jpeg']])->check(['file'=>$file]);
}catch(ValidateException $e) {
return json(['state'=>'error','info'=>$e->getMessage()]);
exit;
}
}
foreach ($files as $file) {
$fileInfo=Filesystem::disk('upload')->putFile('editor', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$data[]=$filePath;
}
$result=['state'=>'success','info'=>$data];
}
return json($result);
}
//获取版本信息
public function getUpgrade(){
$ask = json_decode(curl('https://www.nodcloud.com/api/service/version',false,['product' => config('soft.product'),'edition' => config('soft.edition'),'version' => config('soft.version')],'GET'),true);
if(empty($ask)){
$resule = ['state' => 'success','info'=>['ver'=>config('soft.version'),'new'=>config('soft.version'),'url'=>'']];
}else{
if($ask['state']=='success'){
$resule = ['state' => 'success','info'=>['ver'=>config('soft.version'),'new'=>$ask['info']['version'],'url'=>$ask['info']['url']]];
}elseif($ask['state']=='warning'){
$resule = ['state' => 'error','info' => $ask['message']];
}else{
$resule = ['state' => 'error','info' => '版本服务系统异常!'];
}
}
return json($resule);
}
//清空缓存文件
public function clachCache(){
delCache();
delDir('runtime.log');
delDir('runtime.session');
return json(['state'=>'success']);
}
//退出
public function out(){
pushLog('退出登录');
cache(getToken(),NULL);
return json(['state' => 'success']);
}
}

View File

@ -0,0 +1,692 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\{Sor as Sors,SorInfo,Goods};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Sor extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
['number','fullLike'],
['customer','fullEq'],
['people','fullEq'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['startArrival'=>'arrival'],'startTime'],
[['endArrival'=>'arrival'],'endTime'],
['user','fullEq'],
['examine','fullDec1'],
['state','fullDec1'],
['data','fullLike']
]);//构造SQL
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['id','in',array_column(Db::name('sor_info')->where([['goods','in',$goods]])->select()->toArray(),'pid')];
}
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('sor',$sql);//数据鉴权
$count = Sors::where($sql)->count();//获取总条数
$info = Sors::with(['frameData','customerData','peopleData','userData','recordData'])->where($sql)->append(['extension'])->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select()->toArray();//查询分页数据
//关联单据
if(!empty($info)){
$bor=Db::name('bor')->where([['source','in',array_column($info,'id')]])->select()->toArray();
$sell=Db::name('sell')->where([['source','in',array_column($info,'id')]])->select()->toArray();
foreach ($info as $infoKey=>$infoVo) {
//采购订单
$borData=array_map(function($item){
return ['type'=>'采购订单','time'=>date('Y-m-d',$item['time']),'number'=>$item['number'],'sort'=>$item['time'],'sort'=>$item['time'],'types'=>'bor','id'=>$item['id']];
},search($bor)->where([['source','=',$infoVo['id']]])->select());
//采购单
$sellData=array_map(function($item){
return ['type'=>'销售单','time'=>date('Y-m-d',$item['time']),'number'=>$item['number'],'sort'=>$item['time'],'sort'=>$item['time'],'types'=>'sell','id'=>$item['id']];
},search($sell)->where([['source','=',$infoVo['id']]])->select());
//合并排序
$merge=array_merge($borData,$sellData);
array_multisort(array_column($merge,'sort'),SORT_DESC,$merge);
$info[$infoKey]['relation']=$merge;
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(existFull($input,['class','info']) && isset($input['class']['id'])){
//构造|验证CLASS
try {
$class=$input['class'];
$class['frame']=userInfo(getUserID(),'frame');
$class['user']=getUserID();
$class['examine']=0;
empty($class['id'])?$this->validate($class,'app\validate\Sor'):$this->validate($class,'app\validate\Sor.update');
$period=getPeriod();
if(strtotime($class['time'])<=$period){
throw new ValidateException('单据日期与结账日期冲突!');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//验证INFO
foreach ($input['info'] as $infoKey=>$infoVo) {
try {
$this->validate($infoVo,'app\validate\SorInfo');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'商品信息第'.($infoKey+1).'条'.$e->getError()]);
exit;
}
}
//处理数据
Db::startTrans();
try {
//CLASS数据
if(empty($class['id'])){
//创建数据
$createInfo=Sors::create($class);
$class['id']=$createInfo['id'];//转存主键
Db::name('record')->insert(['type'=>'sor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'新增单据']);
pushLog('新增销售订单[ '.$class['number'].' ]');//日志
}else{
//更新数据
$updateInfo=Sors::update($class);
Db::name('record')->insert(['type'=>'sor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'更新单据']);
pushLog('更新销售订单[ '.$class['number'].' ]');//日志
}
//INFO数据
SorInfo::where([['pid','=',$class['id']]])->delete();
foreach ($input['info'] as $infoKey=>$infoVo) {
$input['info'][$infoKey]['pid']=$class['id'];
$input['info'][$infoKey]['handle']=0;//初始|出库数量
}
$model = new SorInfo;
$model->saveAll($input['info']);
Db::commit();
$result=['state'=>'success','info'=>$class['id']];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['parm'])){
$class=Sors::where([['id','=',$input['parm']]])->find();
$info=SorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$input['parm']]])->order(['id'=>'asc'])->select();
$result=['state'=>'success','info'=>[
'class'=>$class,
'info'=>$info,
]];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//关联验证
$exist=moreTableFind([
['table'=>'bor','where'=>[['source','in',$input['parm']]]],
['table'=>'sell','where'=>[['source','in',$input['parm']]]]
]);
if($exist){
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}else{
$data=Db::name('sor')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
$search=search($data)->where([['examine','=','1']])->find();
if(empty($search)){
Db::startTrans();
try {
Db::name('sor')->where([['id','in',$input['parm']]])->delete();
Db::name('sor_info')->where([['pid','in',$input['parm']]])->delete();
Db::name('record')->where([['type','=','sor'],['source','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除销售订单[ '.implode(' | ',array_column($data,'number')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'单据['.$search['number'].']已审核,不可删除!'];
}
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//审核|反审核
public function examine(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
//1 基础数据
$period=getPeriod();
$classList=Db::name('sor')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
//2 综合处理
foreach ($classList as $class) {
//1 CLASS验证
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据[ '.$class['number'].' ]失败,原因:单据日期与结账日期冲突!']);
exit;
}
if(!empty($class['examine'])){
//销售单
$sell=Db::name('sell')->where([['source','=',$class['id']]])->find();
if(!empty($sell)){
return json(['state'=>'error','info'=>'反审核单据[ '.$class['number'].' ]失败,原因:该订单存在关联销售单!']);
exit;
}
}
//2 数据处理
Db::startTrans();
try {
//场景判断
if(empty($class['examine'])){
//审核
Db::name('sor')->where([['id','=',$class['id']]])->update(['examine'=>1]);
Db::name('record')->insert(['type'=>'sor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'审核单据']);
pushLog('审核销售订单[ '.$class['number'].' ]');//日志
}else{
//反审核
Db::name('sor')->where([['id','=',$class['id']]])->update(['examine'=>0]);
Db::name('record')->insert(['type'=>'sor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'反审核单据']);
pushLog('反审核销售订单[ '.$class['number'].' ]');//日志
}
Db::commit();
} catch (\Exception $e) {
Db::rollback();
return json(['state'=>'error','info'=>'内部错误,操作已撤销!']);
exit;
}
}
$result=['state'=>'success'];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//开启|关闭
public function update(){
$input=input('post.');
if(existFull($input,['id'])){
$period=getPeriod();
$class=Db::name('sor')->where([['id','=',$input['id']]])->find();
Db::startTrans();
if($class['time']<=$period){
return json(['state'=>'error','info'=>'操作单据失败,原因:单据日期与结账日期冲突!']);
exit;
}else{
try {
if($class['state']==3){
//开启
Db::name('sor')->where([['id','=',$class['id']]])->update(['state'=>1]);
Db::name('record')->insert(['type'=>'sor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'开启单据']);
pushLog('开启销售订单[ '.$class['number'].' ]');//日志
}else{
//关闭
Db::name('sor')->where([['id','=',$class['id']]])->update(['state'=>3]);
Db::name('record')->insert(['type'=>'sor','source'=>$class['id'],'time'=>time(),'user'=>getUserID(),'info'=>'关闭单据']);
pushLog('关闭销售订单[ '.$class['number'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return empty($parm)?json($result):$result;
}
//生成销售单
public function buildSell(){
$input=input('post.');
if(existFull($input,['id'])){
//源数据
$source=[
'class'=>Sors::where([['id','=',$input['id']]])->find(),
'info'=>SorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$input['id']]])->order(['id'=>'asc'])->select()->toArray()
];
//状态验证
if($source['class']['state']!=2){
//CLASS数据
$class=[
'source'=>$source['class']['id'],
'customer'=>$source['class']['customer'],
'total'=>0
];
//INFO数据
$info=[];
$fun=getSys('fun');
foreach ($source['info'] as $infoVo) {
//判断入库状态
if(bccomp($infoVo['nums'],$infoVo['handle'])==1){
$infoVo['source']=$infoVo['id'];
$infoVo['serial']=[];
$infoVo['batch']='';
$infoVo['mfd']='';
$infoVo['retreat']=0;
//重算价格
$infoVo['nums']=math()->chain($infoVo['nums'])->sub($infoVo['handle'])->done();
$storage=math()->chain($infoVo['price'])->mul($infoVo['nums'])->round($fun['digit']['money'])->done();
//折扣额|金额
if($infoVo['discount']==0){
$infoVo['total']=$storage;
}else{
$infoVo['dsc']=math()->chain($storage)->div(100)->mul($infoVo['discount'])->round($fun['digit']['money'])->done();
$infoVo['total']=math()->chain($storage)->sub($infoVo['dsc'])->done();
}
//税额|价税合计
if($infoVo['tax']==0){
$infoVo['tpt']=$infoVo['total'];
}else{
$infoVo['tat']=math()->chain($infoVo['total'])->div(100)->mul($infoVo['tax'])->round(2)->done();
$infoVo['tpt']=math()->chain($infoVo['total'])->add($infoVo['tat'])->done();
}
//转存数据
$info[]=$infoVo;
$class['total']=math()->chain($class['total'])->add($infoVo['tpt'])->done();//累加单据金额
}
}
$result=['state'=>'success','info'=>['class'=>$class,'info'=>$info]];
}else{
$result=['state'=>'warning','info'=>'操作失败,订单状态为已出库!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//生产采购订单
public function buildBor(){
$input=input('post.');
if(existFull($input,['id'])){
//源数据
$source=[
'class'=>Sors::where([['id','=',$input['id']]])->find(),
'info'=>SorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$input['id']]])->order(['id'=>'asc'])->select()->toArray()
];
//状态验证
if($source['class']['state']!=2){
//CLASS数据
$class=[
'source'=>$source['class']['id'],
'total'=>0
];
//INFO数据
$info=[];
$fun=getSys('fun');
foreach ($source['info'] as $infoVo) {
//判断入库状态
if(bccomp($infoVo['nums'],$infoVo['handle'])==1){
$infoVo['handle']=0;
//重算价格
$infoVo['price']=$infoVo['goodsData']['buy'];
$infoVo['nums']=math()->chain($infoVo['nums'])->sub($infoVo['handle'])->done();
$storage=math()->chain($infoVo['price'])->mul($infoVo['nums'])->round($fun['digit']['money'])->done();
//折扣额|金额
if($infoVo['discount']==0){
$infoVo['total']=$storage;
}else{
$infoVo['dsc']=math()->chain($storage)->div(100)->mul($infoVo['discount'])->round($fun['digit']['money'])->done();
$infoVo['total']=math()->chain($storage)->sub($infoVo['dsc'])->done();
}
//税额|价税合计
if($infoVo['tax']==0){
$infoVo['tpt']=$infoVo['total'];
}else{
$infoVo['tat']=math()->chain($infoVo['total'])->div(100)->mul($infoVo['tax'])->round(2)->done();
$infoVo['tpt']=math()->chain($infoVo['total'])->add($infoVo['tat'])->done();
}
//转存数据
$info[]=$infoVo;
$class['total']=math()->chain($class['total'])->add($infoVo['tpt'])->done();//累加单据金额
}
}
$result=['state'=>'success','info'=>['class'=>$class,'info'=>$info]];
}else{
$result=['state'=>'warning','info'=>'操作失败,订单状态为已出库!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file = request()->file('file');
//获取上传文件
if (empty($file)) {
$result = ['state' => 'error','info' => '传入数据不完整!'];
} else {
//文件限制5MB
try{
validate(['file'=>['fileSize'=>5*1024*1024,'fileExt'=>'png,gif,jpg,jpeg,txt,doc,docx,rtf,xls,xlsx,ppt,pptx,pdf,zip,rar']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('sor', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result = ['state'=>'error','info'=>$e->getMessage()];
}
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
$fun=getSys('fun');
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
//初始化CLASS
//客户匹配
$customer=Db::name('customer')->where([['name','=',$data[3]['A']]])->find();
if(empty($customer)){
throw new ValidateException('客户[ '.$data[3]['A'].' ]未匹配!');
}
//关联人员匹配
if(empty($data[3]['F'])){
$people=['id'=>0];
}else{
$people=Db::name('people')->where([['name','=',$data[3]['F']]])->find();
if(empty($people)){
throw new ValidateException('关联人员[ '.$data[3]['F'].' ]未匹配!');
}
}
$class=[
'frame'=>userInfo(getUserID(),'frame'),
'customer'=>$customer['id'],
'time'=>$data[3]['B'],
'number'=>$data[3]['C'],
'total'=>0,
'actual'=>$data[3]['E'],
'people'=>$people['id'],
'arrival'=>$data[3]['G'],
'logistics'=>["key"=>"auto","name"=>"自动识别","number"=>$data[3]['H']],
'file'=>[],
'data'=>$data[3]['I'],
'more'=>[],
'examine'=>0,
'state'=>0,
'user'=>getUserID()
];
$this->validate($class,'app\validate\Sor');//数据合法性验证
//初始化INFO
$info=[];
$goods=Goods::with(['attr'])->where([['name','in',array_column($data,'J')]])->select()->toArray();
$warehouse=Db::name('warehouse')->where([['name','in',array_column($data,'M')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'goods'=>$dataVo['J'],
'attr'=>$dataVo['K'],
'unit'=>$dataVo['L'],
'warehouse'=>$dataVo['M'],
'price'=>$dataVo['N'],
'nums'=>$dataVo['O'],
'discount'=>$dataVo['P'],
'dsc'=>0,
'total'=>0,
'tax'=>$dataVo['S'],
'tat'=>0,
'tpt'=>0,
'data'=>$dataVo['V'],
'handle'=>0,
];
//商品匹配
$goodsFind=search($goods)->where([['name','=',$record['goods']]])->find();
if(empty($goodsFind)){
throw new ValidateException('模板文件第'.$dataKey.'行商品名称[ '.$record['goods'].' ]未匹配!');
}else{
$record['goods']=$goodsFind['id'];
}
//辅助属性匹配
if(empty($goodsFind['attr'])){
$record['attr']='';
}else{
if(empty($record['attr'])){
throw new ValidateException('模板文件第'.$dataKey.'行辅助属性不可为空!');
}else{
$attrFind=search($goodsFind['attr'])->where([['name','=',$record['attr']]])->find();
if(empty($attrFind)){
throw new ValidateException('模板文件第'.$dataKey.'行辅助属性[ '.$record['attr'].' ]未匹配!');
}
}
}
//单位匹配
if($goodsFind['unit']==-1){
if(empty($record['unit'])){
throw new ValidateException('模板文件第'.$dataKey.'行单位不可为空!');
}else{
$unitFind=search($goodsFind['units'])->where([['name','=',$record['unit']]])->find();
if(empty($unitFind) && $goodsFind['units'][0]['source']!=$record['unit']){
throw new ValidateException('模板文件第'.$dataKey.'行单位[ '.$record['unit'].' ]未匹配!');
}
}
}else{
$record['unit']=$goodsFind['unit'];
}
//仓库匹配
if(empty($goodsFind['type'])){
//常规产品
$warehouseFind=search($warehouse)->where([['name','=',$record['warehouse']]])->find();
if(empty($warehouseFind)){
throw new ValidateException('模板文件第'.$dataKey.'行仓库[ '.$record['warehouse'].' ]未匹配!');
}else{
$record['warehouse']=$warehouseFind['id'];
}
}else{
//服务产品
$record['warehouse']=null;
}
//单价匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['money']."})?$/",$record['price'])){
throw new ValidateException('模板文件第'.$dataKey.'行单价不正确!');
}
//数量匹配
if(!preg_match("/^\d+(\.\d{0,".$fun['digit']['nums']."})?$/",$record['nums'])){
throw new ValidateException('模板文件第'.$dataKey.'行数量不正确!');
}
try{
$this->validate($record,'app\validate\SorInfo');//数据合法性验证
$storage=math()->chain($record['price'])->mul($record['nums'])->round($fun['digit']['money'])->done();
//折扣额|金额
if($record['discount']==0){
$record['total']=$storage;
}else{
$record['dsc']=math()->chain($storage)->div(100)->mul($record['discount'])->round($fun['digit']['money'])->done();
$record['total']=math()->chain($storage)->sub($record['dsc'])->done();
}
//税额|价税合计
if($record['tax']==0){
$record['tpt']=$record['total'];
}else{
$record['tat']=math()->chain($record['total'])->div(100)->mul($record['tax'])->round(2)->done();
$record['tpt']=math()->chain($record['total'])->add($record['tat'])->done();
}
//转存数据
$class['total']=math()->chain($class['total'])->add($record['tpt'])->done();//累加单据金额
$info[]=$record;
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>'模板文件第'.$dataKey.'行'.$e->getMessage()]);//返回错误信息
exit;
}
}
//CLASS数据验证
if(bccomp($class['total'],$class['actual'])==-1){
throw new ValidateException('实际金额不可大于单据金额[ '.$class['total'].' ]!');
}else{
Db::startTrans();
try {
//新增CLASS
$classData=Sors::create($class);
//新增INFO
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['pid']=$classData['id'];
}
$model = new SorInfo;
$model->saveAll($info);
Db::name('record')->insert(['type'=>'sor','source'=>$classData['id'],'time'=>time(),'user'=>getUserID(),'info'=>'导入单据']);
pushLog('导入销售订单[ '.$classData['number'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['scene','parm']) && is_array($input['parm'])){
pushLog('导出销售订单列表');//日志
$source=Sors::with(['frameData','customerData','peopleData','userData'])->where([['id','in',$input['parm']]])->append(['extension'])->order(['id'=>'desc'])->select()->toArray();//查询CLASS数据
if($input['scene']=='simple'){
//简易报表
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售订单列表'];
//表格数据
$field=[
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'time'=>'单据时间',
'number'=>'单据编号',
'total'=>'单据金额',
'actual'=>'实际金额',
'arrival'=>'到货日期',
'peopleData|name'=>'关联人员',
'extension|examine'=>'审核状态',
'extension|state'=>'出库状态',
'userData|name'=>'制单人',
'data'=>'备注信息'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($source),'总单据金额:'.mathArraySum(array_column($source,'total')),'总实际金额:'.mathArraySum(array_column($source,'actual'))]];
//导出execl
buildExcel('销售订单列表',$excel);
}else{
//详细报表
$files=[];//初始化文件列表
foreach ($source as $sourceVo) {
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售订单'];
//节点数据
$excel[]=['type'=>'node','info'=>[
'客户:'.$sourceVo['customerData']['name'],
'单据日期:'.$sourceVo['time'],
'单据编号:'.$sourceVo['number']]
];
//表格数据
$field=[
'goodsData|name'=>'商品名称',
'goodsData|spec'=>'规格型号',
'attr'=>'辅助属性',
'unit'=>'单位',
'warehouseData|name'=>'仓库',
'price'=>'单价',
'nums'=>'数量',
'handle'=>'出库数量',
'discount'=>'折扣率',
'dsc'=>'折扣额',
'total'=>'金额',
'tax'=>'税率',
'tat'=>'税额',
'tpt'=>'价税合计',
'data'=>'备注信息'
];
//构造表内数据
$info=SorInfo::with(['goodsData','warehouseData'])->where([['pid','=',$sourceVo['id']]])->order(['id'=>'asc'])->select()->toArray();
//税金匹配
$fun=getSys('fun');
if(empty(search($info)->where([['tax','<>',0]])->find()) && !$fun['tax']){
unset($field['tax']);
unset($field['tat']);
unset($field['tpt']);
}
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//节点数据
$excel[]=['type'=>'node','info'=>[
'单据金额:'.$sourceVo['total'],
'实际金额:'.$sourceVo['actual'],
'关联人员:'.arraySeek($sourceVo,'peopleData|name'),
'到货日期:'.$sourceVo['arrival'],
'物流信息:'.$sourceVo['extension']['logistics'],
'备注信息:'.$sourceVo['data']]
];
//生成execl
$files[]=buildExcel($sourceVo['number'],$excel,false);
}
buildZip('销售订单_'.time(),$files);
}
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

1175
serve/app/controller/Sre.php Normal file

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,968 @@
<?php
namespace app\controller;
use app\controller\Acl;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Srt extends Acl{
//销售订单跟踪表
public function stt(){
$input=input('post.');
if(existFull($input,['page','limit']) && is_arrays($input,['state','warehouse']) && isset($input['type'])){
$sql=[];
//CLASS语句
$sql['class']=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['startArrival'=>'arrival'],'startTime'],
[['endArrival'=>'arrival'],'endTime']
]);
$sql['class'][]=['examine','=',1];
$sql['class']=frameScope($sql['class']);//组织数据
$sql['class']=sqlAuth('sor',$sql['class']);//数据鉴权
//INFO语句
$sql['info']=fastSql($input,[['warehouse','fullIn']]);
//商品匹配
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql['info'][]=['goods','in',$goods];
}
$sql['or']=[];
//状态匹配
if(existFull($input,['state'])){
foreach ($input['state'] as $stateVo) {
$sql['or'][]=[['handle','=',0],Db::raw('handle > 0 AND handle < nums'),['handle','=',Db::raw('nums')]][$stateVo];
}
}
//判断排序
if(empty($input['type'])){
//单据排序
$record=Db::name('sor')->alias('class')->join(['is_sor_info'=>'info'],'class.id=info.pid')->where($sql['class'])->where($sql['info'])->where(function($query)use($sql){$query->whereOr($sql['or']);})->fieldRaw('class.id as class,group_concat(info.id) as info')->group('class.id')->order('class.id', 'desc')->select()->toArray();
$data=[];
$count=count($record);
if(!empty($record)){
$classList = \app\model\Sor::with(['frameData','customerData'])->where([['id','in',array_column($record,'class')]])->append(['extension'])->page($input['page'],$input['limit'])->select()->toArray();
$infoList = \app\model\SorInfo::with(['goodsData','warehouseData'])->where([['pid','in',array_column($classList,'id')],['id','in',array_unique(explode(',',implode(',',array_column($record,'info'))))]])->select()->toArray();
foreach ($classList as $class) {
$class['key']=$class['id'];
$class['money']=$class['actual'];
$class['nmy']=0;
$info=search($infoList)->where([['pid','=',$class['id']]])->select();
foreach ($info as $key=>$vo) {
$info[$key]['key']=$class['id'].'_'.$vo['id'];
$info[$key]['price']=math()->chain($vo['tpt'])->div($vo['nums'])->round(2)->done();
$info[$key]['money']=$vo['tpt'];
$info[$key]['extension']['state']=$vo['handle']==0?'未出库':($vo['handle']==$vo['nums']?'已出库':'部分出库');
$info[$key]['nns']=math()->chain($vo['nums'])->sub($vo['handle'])->done();
$info[$key]['nmy']=math()->chain($info[$key]['price'])->mul($info[$key]['nns'])->done();
//汇总数据
$class['nmy']=math()->chain($class['nmy'])->add($info[$key]['nmy'])->done();
}
$class['node']=$info;
$data[]=$class;
}
}
}else{
//商品排序
$record=Db::name('sor_info')->alias('info')->join(['is_sor'=>'class'],'info.pid=class.id')->where($sql['class'])->where($sql['info'])->where(function($query)use($sql){$query->whereOr($sql['or']);})->fieldRaw('info.id as row,group_concat(info.id) as info')->group('info.goods,info.attr,info.warehouse')->order('info.id', 'desc')->select()->toArray();
$data=[];
$count=count($record);
if(!empty($record)){
$record = array_slice($record,$input['limit']*($input['page']-1),$input['limit']);
$infoList = \app\model\SorInfo::with(['goodsData','warehouseData'])->where([['id','in',array_unique(explode(',',implode(',',array_column($record,'info'))))]])->select()->toArray();
$classList = \app\model\Sor::with(['frameData','customerData'])->where([['id','in',array_unique(array_column($infoList,'pid'))]])->append(['extension'])->select()->toArray();
foreach ($record as $recordVo) {
$info=search($infoList)->where([['id','in',explode(',',$recordVo['info'])]])->select();
$row=$info[0];
$row['key']=$row['id'];
$row['unit']='';
$row['price']='';
$row['nums']=0;
$row['money']=0;
$row['nns']=0;
$row['nmy']=0;
foreach ($info as $vo) {
$class=search($classList)->where([['id','=',$vo['pid']]])->find();
$class['key']=$vo['id'].'_'.$class['id'];
$class['unit']=$vo['unit'];
$class['price']=math()->chain($vo['tpt'])->div($vo['nums'])->round(2)->done();
$class['nums']=$vo['nums'];
$class['money']=$vo['tpt'];
$class['extension']['state']=$vo['handle']==0?'未出库':($vo['handle']==$vo['nums']?'已出库':'部分出库');
$class['nns']=math()->chain($vo['nums'])->sub($vo['handle'])->done();
$class['nmy']=math()->chain($class['price'])->mul($class['nns'])->done();
$class['data']=$vo['data'];
$class['basic']=['nums'=>$vo['nums'],'nns'=>$class['nns']];
//汇总数据
$row['money']=math()->chain($row['money'])->add($vo['tpt'])->done();
$row['nmy']=math()->chain($row['nmy'])->add($class['nmy'])->done();
//单位转换
if($vo['goodsData']['unit']=='-1'){
$radix=unitRadix($vo['unit'],$vo['goodsData']['units']);
$row['nums']=math()->chain($class['nums'])->mul($radix)->add($row['nums'])->done();
$row['nns']=math()->chain($class['nns'])->mul($radix)->add($row['nns'])->done();
}else{
$row['nums']=math()->chain($class['nums'])->add($row['nums'])->done();
$row['nns']=math()->chain($class['nns'])->add($row['nns'])->done();
}
$row['node'][]=$class;
}
$row['extension']['state']=$row['nns']==0?'已出库':($row['nns']==$row['nums']?'未出库':'部分出库');
//单位处理
if($row['goodsData']['unit']=='-1'){
$row['nums']=unitSwitch($row['nums'],$row['goodsData']['units']);
$row['nns']=unitSwitch($row['nns'],$row['goodsData']['units']);
}
$data[]=$row;
}
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//销售订单跟踪表-导出
public function sttExports(){
$input=input('get.');
existFull($input,['state'])||$input['state']=[];
existFull($input,['warehouse'])||$input['warehouse']=[];
if(is_arrays($input,['state','warehouse']) && isset($input['type'])){
pushLog('导出销售订单跟踪表');//日志
$sql=[];
//CLASS语句
$sql['class']=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['startArrival'=>'arrival'],'startTime'],
[['endArrival'=>'arrival'],'endTime']
]);
$sql['class'][]=['examine','=',1];
$sql['class']=frameScope($sql['class']);//组织数据
$sql['class']=sqlAuth('sor',$sql['class']);//数据鉴权
//INFO语句
$sql['info']=fastSql($input,[['warehouse','fullDivisionIn']]);
//商品匹配
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql['info'][]=['goods','in',$goods];
}
$sql['or']=[];
//状态匹配
if(existFull($input,['state'])){
foreach ($input['state'] as $stateVo) {
$sql['or'][]=[['handle','=',0],Db::raw('handle > 0 AND handle < nums'),['handle','=',Db::raw('nums')]][$stateVo];
}
}
//判断排序
if(empty($input['type'])){
//单据排序
$record=Db::name('sor')->alias('class')->join(['is_sor_info'=>'info'],'class.id=info.pid')->where($sql['class'])->where($sql['info'])->where(function($query)use($sql){$query->whereOr($sql['or']);})->fieldRaw('class.id as class,group_concat(info.id) as info')->group('class.id')->order('class.id', 'desc')->select()->toArray();
$data=[];
$count=count($record);
if(!empty($record)){
$classList = \app\model\Sor::with(['frameData','customerData'])->where([['id','in',array_column($record,'class')]])->append(['extension'])->select()->toArray();
$infoList = \app\model\SorInfo::with(['goodsData','warehouseData'])->where([['pid','in',array_column($classList,'id')],['id','in',array_unique(explode(',',implode(',',array_column($record,'info'))))]])->select()->toArray();
foreach ($classList as $class) {
$class['key']=$class['id'];
$class['money']=$class['actual'];
$class['nmy']=0;
$info=search($infoList)->where([['pid','=',$class['id']]])->select();
foreach ($info as $key=>$vo) {
$info[$key]['key']=$class['id'].'_'.$vo['id'];
$info[$key]['price']=math()->chain($vo['tpt'])->div($vo['nums'])->round(2)->done();
$info[$key]['money']=$vo['tpt'];
$info[$key]['extension']['state']=$vo['handle']==0?'未出库':($vo['handle']==$vo['nums']?'已出库':'部分出库');
$info[$key]['nns']=math()->chain($vo['nums'])->sub($vo['handle'])->done();
$info[$key]['nmy']=math()->chain($info[$key]['price'])->mul($info[$key]['nns'])->done();
//汇总数据
$class['nmy']=math()->chain($class['nmy'])->add($info[$key]['nmy'])->done();
}
$class['node']=$info;
$data[]=$class;
}
}
}else{
//商品排序
$record=Db::name('sor_info')->alias('info')->join(['is_sor'=>'class'],'info.pid=class.id')->where($sql['class'])->where($sql['info'])->where(function($query)use($sql){$query->whereOr($sql['or']);})->fieldRaw('info.id as row,group_concat(info.id) as info')->group('info.goods,info.attr,info.warehouse')->order('info.id', 'desc')->select()->toArray();
$data=[];
$count=count($record);
if(!empty($record)){
$infoList = \app\model\SorInfo::with(['goodsData','warehouseData'])->where([['id','in',array_unique(explode(',',implode(',',array_column($record,'info'))))]])->select()->toArray();
$classList = \app\model\Sor::with(['frameData','customerData'])->where([['id','in',array_unique(array_column($infoList,'pid'))]])->append(['extension'])->select()->toArray();
foreach ($record as $recordVo) {
$info=search($infoList)->where([['id','in',explode(',',$recordVo['info'])]])->select();
$row=$info[0];
$row['key']=$row['id'];
$row['unit']='';
$row['price']='';
$row['nums']=0;
$row['money']=0;
$row['nns']=0;
$row['nmy']=0;
foreach ($info as $vo) {
$class=search($classList)->where([['id','=',$vo['pid']]])->find();
$class['key']=$vo['id'].'_'.$class['id'];
$class['unit']=$vo['unit'];
$class['price']=math()->chain($vo['tpt'])->div($vo['nums'])->round(2)->done();
$class['nums']=$vo['nums'];
$class['money']=$vo['tpt'];
$class['extension']['state']=$vo['handle']==0?'未出库':($vo['handle']==$vo['nums']?'已出库':'部分出库');
$class['nns']=math()->chain($vo['nums'])->sub($vo['handle'])->done();
$class['nmy']=math()->chain($class['price'])->mul($class['nns'])->done();
$class['data']=$vo['data'];
$class['basic']=['nums'=>$vo['nums'],'nns'=>$class['nns']];
//汇总数据
$row['money']=math()->chain($row['money'])->add($vo['tpt'])->done();
$row['nmy']=math()->chain($row['nmy'])->add($class['nmy'])->done();
//单位转换
if($vo['goodsData']['unit']=='-1'){
$radix=unitRadix($vo['unit'],$vo['goodsData']['units']);
$row['nums']=math()->chain($class['nums'])->mul($radix)->add($row['nums'])->done();
$row['nns']=math()->chain($class['nns'])->mul($radix)->add($row['nns'])->done();
}else{
$row['nums']=math()->chain($class['nums'])->add($row['nums'])->done();
$row['nns']=math()->chain($class['nns'])->add($row['nns'])->done();
}
$row['node'][]=$class;
}
$row['extension']['state']=$row['nns']==0?'已出库':($row['nns']==$row['nums']?'未出库':'部分出库');
//单位处理
if($row['goodsData']['unit']=='-1'){
$row['nums']=unitSwitch($row['nums'],$row['goodsData']['units']);
$row['nns']=unitSwitch($row['nns'],$row['goodsData']['units']);
}
$data[]=$row;
}
}
}
//结构重组
$source=[];
foreach ($data as $dataVo) {
$source[]=$dataVo;
if(!empty($dataVo['node'])){
foreach ($dataVo['node'] as $node) {
$source[]=$node;
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售订单跟踪表'];
//表格数据
$field=[
[
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'time'=>'单据时间',
'number'=>'单据编号',
'goodsData|name'=>'商品名称',
'attr'=>'辅助属性',
'warehouseData|name'=>'仓库',
],[
'goodsData|name'=>'商品名称',
'attr'=>'辅助属性',
'warehouseData|name'=>'仓库',
'frameData|name'=>'所属组织',
'customerData|name'=>'客户',
'time'=>'单据时间',
'number'=>'单据编号'
],[
'unit'=>'单位',
'price'=>'单价',
'nums'=>'数量',
'money'=>'金额',
'extension|state'=>'出库状态',
'nns'=>'未出库数量',
'nmy'=>'未出库金额',
'arrival'=>'到货日期',
'data'=>'备注信息'
]
];
$field=array_merge(empty($input['type'])?$field[0]:$field[1],$field[2]);
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('销售订单跟踪表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//销售明细表
public function slt(){
$input=input('post.');
$sheet=['sell','sre'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && is_arrays($input,['warehouse','mold']) && arrayInArray($input['mold'],$sheet)){
$sql=[];
//CLASS语句
$sql['class']=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['data'=>'class.data'],'fullLike']
]);
$sql['class'][]=['examine','=',1];
$sql['class']=frameScope($sql['class']);//组织数据
//数据鉴权[结构一致]
$sql['class']=sqlAuth('sell',$sql['class']);
//INFO语句
$sql['info']=fastSql($input,[['warehouse','fullIn']]);
//商品匹配
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql['info'][]=['goods','in',$goods];
}
//组装查询语句
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold.'_info')->alias('info')->join(['is_'.$mold=>'class'],'info.pid=class.id')->where($sql['info'])->where($sql['class'])->fieldRaw('info.id as info,class.id as class,time,"'.$mold.'" as mold')->buildSql();
}
$union=implode(' UNION ALL ',$union);
//获取总条数
$count=DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud')[0]["count"];
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud ORDER BY `time` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
$list=[];
foreach ($input['mold'] as $mold) {
$gather=search($record)->where([['mold','=',$mold]])->select();
$table=[
"class"=>"app\\model\\".ucfirst($mold),
'info'=>"app\\model\\".ucfirst($mold).'Info',
];
$list[$mold]['info']=$table['info']::with(['goodsData','warehouseData'])->where([['id','in',array_column($gather,'info')]])->select()->toArray();
$list[$mold]['class']=$table['class']::with(['frameData','customerData'])->where([['id','in',array_column($list[$mold]['info'],'pid')]])->append(['extension'])->select()->toArray();
}
$data=[];
foreach ($record as $recordVo) {
$mold=$recordVo['mold'];
$data[]=[
'mold'=>$mold,
'name'=>['sell'=>'销售单','sre'=>'销售退货单'][$mold],
'class'=>search($list[$mold]['class'])->where([['id','=',$recordVo['class']]])->find(),
'info'=>search($list[$mold]['info'])->where([['id','=',$recordVo['info']]])->find()
];
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//销售明细表-导出
public function sltExports(){
$input=input('get.');
$sheet=['sell','sre'];
existFull($input,['warehouse'])||$input['warehouse']=[];
existFull($input,['mold'])||$input['mold']=$sheet;
if(is_arrays($input,['warehouse','mold']) && arrayInArray($input['mold'],$sheet)){
pushLog('导出销售明细表');//日志
$sql=[];
//CLASS语句
$sql['class']=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['data'=>'class.data'],'fullLike']
]);
$sql['class'][]=['examine','=',1];
$sql['class']=frameScope($sql['class']);//组织数据
//数据鉴权[结构一致]
$sql['class']=sqlAuth('sell',$sql['class']);
//INFO语句
$sql['info']=fastSql($input,[['warehouse','fullDivisionIn']]);
//商品匹配
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql['info'][]=['goods','in',$goods];
}
//组装查询语句
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold.'_info')->alias('info')->join(['is_'.$mold=>'class'],'info.pid=class.id')->where($sql['info'])->where($sql['class'])->fieldRaw('info.id as info,class.id as class,time,"'.$mold.'" as mold')->buildSql();
}
$union=implode(' UNION ALL ',$union);
//获取总条数
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud ORDER BY `time` DESC');
$list=[];
foreach ($input['mold'] as $mold) {
$gather=search($record)->where([['mold','=',$mold]])->select();
$table=[
"class"=>"app\\model\\".ucfirst($mold),
'info'=>"app\\model\\".ucfirst($mold).'Info',
];
$list[$mold]['info']=$table['info']::with(['goodsData','warehouseData'])->where([['id','in',array_column($gather,'info')]])->select()->toArray();
$list[$mold]['class']=$table['class']::with(['frameData','customerData'])->where([['id','in',array_column($list[$mold]['info'],'pid')]])->append(['extension'])->select()->toArray();
}
$data=[];
foreach ($record as $recordVo) {
$mold=$recordVo['mold'];
$data[]=[
'mold'=>$mold,
'name'=>['sell'=>'销售单','sre'=>'销售退货单'][$mold],
'class'=>search($list[$mold]['class'])->where([['id','=',$recordVo['class']]])->find(),
'info'=>search($list[$mold]['info'])->where([['id','=',$recordVo['info']]])->find()
];
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售明细表'];
//表格数据
$field=[
'name'=>'单据类型',
'class|frameData|name'=>'所属组织',
'class|customerData|name'=>'客户',
'class|time'=>'单据时间',
'class|number'=>'单据编号',
'info|goodsData|name'=>'商品名称',
'info|attr'=>'辅助属性',
'info|warehouseData|name'=>'仓库',
'info|unit'=>'单位',
'info|price'=>'单价',
'info|nums'=>'数量',
'info|dsc'=>'折扣额',
'info|total'=>'金额',
'info|tat'=>'税额',
'info|tpt'=>'价税合计',
'class|data'=>'备注信息',
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$math=['sell'=>[],'sre'=>[]];
foreach ($source as $sourceVo) {
$math[$sourceVo['mold']][]=$sourceVo['info']['tpt'];
}
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'销售总金额:'.mathArraySum($math['sell']),
'销售退货总金额:'.mathArraySum($math['sre'])
]];
//导出execl
buildExcel('销售明细表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//销售汇总表
public function ssy(){
$input=input('post.');
if(existFull($input,['page','limit']) && is_array($input['warehouse']) && isset($input['type'])){
$sql=[];
//CLASS语句
$sql['class']=fastSql($input,[
['customer','fullEq'],
['user','fullEq'],
['people','fullEq'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql['class'][]=['examine','=',1];
$sql['class']=frameScope($sql['class']);//组织数据
$sql['class']=sqlAuth('sell',$sql['class']);//数据鉴权[结构一致]
//INFO语句
$sql['info']=fastSql($input,[['warehouse','fullIn']]);
//商品匹配
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql['info'][]=['goods','in',$goods];
}
//构造语句
$union=[];
$tab=['sell','sre'];
foreach ($tab as $t) {
$union[]=Db::name($t.'_info')->alias('info')->join(['is_'.$t=>'class'],'info.pid=class.id')->where($sql['class'])->where($sql['info'])->fieldRaw('"'.$t.'" as mold,class.customer as customer,class.user as user,class.people as people,info.id as info,goods,attr,warehouse,unit,nums,tpt')->buildSql();
}
$union=implode(' UNION ALL ',$union);
//判断类型
if($input['type']==0){
//按商品
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by goods,attr,warehouse ORDER BY `goods` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
}else if($input['type']==1){
//按客户
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by customer,goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,customer,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by customer,goods,attr,warehouse ORDER BY `customer` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
}else if($input['type']==2){
//按用户
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by user,goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,user,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by user,goods,attr,warehouse ORDER BY `user` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
}else{
//按人员
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by people,goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,people,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by people,goods,attr,warehouse ORDER BY `people` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
}
//构造数据
$group = [];
foreach($record as $vo){
$moldList = explode(",", $vo['mold']);
$infoList = explode(",", $vo['info']);
$unitList = explode(",", $vo['unit']);
$numsList = explode(",", $vo['nums']);
$tptList = explode(",", $vo['tpt']);
$row=['mold'=>$moldList[0],'info'=>$infoList[0]];
foreach ($moldList as $key => $mold) {
$row[$mold]['unit'][]=$unitList[$key];
$row[$mold]['nums'][]=$numsList[$key];
$row[$mold]['tpt'][]=$tptList[$key];
}
$input['type']==1&&$row['customer']=$vo['customer'];//客户转存
$input['type']==2&&$row['user']=$vo['user'];//用户转存
$input['type']==3&&$row['people']=$vo['people'];//人员转存
$group[]=$row;
}
//数据匹配
$infoList=[];
foreach ($tab as $t) {
$mold="app\\model\\".ucfirst($t).'Info';
$gather=search($group)->where([['mold','=',$t]])->select();
$infoList[$t]=$mold::with(['goodsData','warehouseData'])->where([['id','in',array_column($gather,'info')]])->select()->toArray();
}
//查询类型-匹配客户
$input['type']==1&&$customerList=db::name('customer')->where([['id','in',array_column($group,'customer')]])->select()->toArray();
//查询类型-匹配用户
$input['type']==2&&$userList=db::name('user')->where([['id','in',array_column($group,'user')]])->select()->toArray();
//查询类型-匹配人员
$input['type']==3&&$peopleList=db::name('people')->where([['id','in',array_column($group,'people')]])->select()->toArray();
//数据处理
$data=[];
foreach ($group as $groupVo) {
$row=search($infoList[$groupVo['mold']])->where([['id','=',$groupVo['info']]])->find();
$row['unit']=$row['goodsData']['unit']==-1?'多单位':$row['unit'];
foreach ($tab as $t) {
if(isset($groupVo[$t])){
if($row['goodsData']['unit']==-1){
$base=0;
foreach ($groupVo[$t]['unit'] as $key=> $unit) {
$radix=unitRadix($unit,$row['goodsData']['units']);
$base=math()->chain($groupVo[$t]['nums'][$key])->mul($radix)->add($base)->done();
}
$row[$t]=['base'=>$base,'nums'=>unitSwitch($base,$row['goodsData']['units']),'money'=>mathArraySum($groupVo[$t]['tpt'])];
$row[$t]['price']=math()->chain($row[$t]['money'])->div($base)->round(2)->done();
}else{
$row[$t]=['nums'=>mathArraySum($groupVo[$t]['nums']),'money'=>mathArraySum($groupVo[$t]['tpt'])];
$row[$t]['price']=math()->chain($row[$t]['money'])->div($row[$t]['nums'])->round(2)->done();
$row[$t]['base']=$row[$t]['nums'];
}
}else{
$row[$t]=['base'=>0,'price'=>0,'nums'=>0,'money'=>0];
}
}
$row['summary']['nums']=math()->chain($row['sell']['base'])->sub($row['sre']['base'])->done();
$row['goodsData']['unit']==-1&&$row['summary']['nums']=unitSwitch($row['summary']['nums'],$row['goodsData']['units']);
$row['summary']['money']=math()->chain($row['sell']['money'])->sub($row['sre']['money'])->done();
//类型匹配
$input['type']==1&&$row['customer']=search($customerList)->where([['id','=',$groupVo['customer']]])->find();//匹配客户
$input['type']==2&&$row['user']=search($userList)->where([['id','=',$groupVo['user']]])->find();//匹配用户
$input['type']==3&&$row['people']=search($peopleList)->where([['id','=',$groupVo['people']]])->find();//匹配人员
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//销售汇总表-导出
public function ssyExports(){
$input=input('get.');
existFull($input,['warehouse'])||$input['warehouse']=[];
if(is_array($input['warehouse']) && isset($input['type'])){
pushLog('导出销售汇总表');//日志
$sql=[];
//CLASS语句
$sql['class']=fastSql($input,[
['customer','fullEq'],
['user','fullEq'],
['people','fullEq'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql['class'][]=['examine','=',1];
$sql['class']=frameScope($sql['class']);//组织数据
$sql['class']=sqlAuth('sell',$sql['class']);//数据鉴权[结构一致]
//INFO语句
$sql['info']=fastSql($input,[['warehouse','fullDivisionIn']]);
//商品匹配
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql['info'][]=['goods','in',$goods];
}
//构造语句
$union=[];
$tab=['sell','sre'];
foreach ($tab as $t) {
$union[]=Db::name($t.'_info')->alias('info')->join(['is_'.$t=>'class'],'info.pid=class.id')->where($sql['class'])->where($sql['info'])->fieldRaw('"'.$t.'" as mold,class.customer as customer,class.user as user,class.people as people,info.id as info,goods,attr,warehouse,unit,nums,tpt')->buildSql();
}
$union=implode(' UNION ALL ',$union);
//判断类型
if($input['type']==0){
//按商品
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by goods,attr,warehouse ORDER BY `goods` DESC');
}else if($input['type']==1){
//按客户
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by customer,goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,customer,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by customer,goods,attr,warehouse ORDER BY `customer` DESC');
}else if($input['type']==2){
//按用户
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by user,goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,user,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by user,goods,attr,warehouse ORDER BY `user` DESC');
}else{
//按人员
$count=count(DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud group by people,goods,attr,warehouse'));
$record = DB::query('SELECT group_concat(mold) as mold,people,group_concat(info) as info,group_concat(unit) as unit,group_concat(nums) as nums,group_concat(tpt) as tpt FROM ( '.$union.' ) as nodcloud group by people,goods,attr,warehouse ORDER BY `people` DESC');
}
//构造数据
$group = [];
foreach($record as $vo){
$moldList = explode(",", $vo['mold']);
$infoList = explode(",", $vo['info']);
$unitList = explode(",", $vo['unit']);
$numsList = explode(",", $vo['nums']);
$tptList = explode(",", $vo['tpt']);
$row=['mold'=>$moldList[0],'info'=>$infoList[0]];
foreach ($moldList as $key => $mold) {
$row[$mold]['unit'][]=$unitList[$key];
$row[$mold]['nums'][]=$numsList[$key];
$row[$mold]['tpt'][]=$tptList[$key];
}
$input['type']==1&&$row['customer']=$vo['customer'];//客户转存
$input['type']==2&&$row['user']=$vo['user'];//用户转存
$input['type']==3&&$row['people']=$vo['people'];//人员转存
$group[]=$row;
}
//数据匹配
$infoList=[];
foreach ($tab as $t) {
$mold="app\\model\\".ucfirst($t).'Info';
$gather=search($group)->where([['mold','=',$t]])->select();
$infoList[$t]=$mold::with(['goodsData','warehouseData'])->where([['id','in',array_column($gather,'info')]])->select()->toArray();
}
//查询类型-匹配客户
$input['type']==1&&$customerList=db::name('customer')->where([['id','in',array_column($group,'customer')]])->select()->toArray();
//查询类型-匹配用户
$input['type']==2&&$userList=db::name('user')->where([['id','in',array_column($group,'user')]])->select()->toArray();
//查询类型-匹配人员
$input['type']==3&&$peopleList=db::name('people')->where([['id','in',array_column($group,'people')]])->select()->toArray();
//数据处理
$data=[];
foreach ($group as $groupVo) {
$row=search($infoList[$groupVo['mold']])->where([['id','=',$groupVo['info']]])->find();
$row['unit']=$row['goodsData']['unit']==-1?'多单位':$row['unit'];
foreach ($tab as $t) {
if(isset($groupVo[$t])){
if($row['goodsData']['unit']==-1){
$base=0;
foreach ($groupVo[$t]['unit'] as $key=> $unit) {
$radix=unitRadix($unit,$row['goodsData']['units']);
$base=math()->chain($groupVo[$t]['nums'][$key])->mul($radix)->add($base)->done();
}
$row[$t]=['base'=>$base,'nums'=>unitSwitch($base,$row['goodsData']['units']),'money'=>mathArraySum($groupVo[$t]['tpt'])];
$row[$t]['price']=math()->chain($row[$t]['money'])->div($base)->round(2)->done();
}else{
$row[$t]=['nums'=>mathArraySum($groupVo[$t]['nums']),'money'=>mathArraySum($groupVo[$t]['tpt'])];
$row[$t]['price']=math()->chain($row[$t]['money'])->div($row[$t]['nums'])->round(2)->done();
$row[$t]['base']=$row[$t]['nums'];
}
}else{
$row[$t]=['base'=>0,'price'=>0,'nums'=>0,'money'=>0];
}
}
$row['summary']['nums']=math()->chain($row['sell']['base'])->sub($row['sre']['base'])->done();
$row['goodsData']['unit']==-1&&$row['summary']['nums']=unitSwitch($row['summary']['nums'],$row['goodsData']['units']);
$row['summary']['money']=math()->chain($row['sell']['money'])->sub($row['sre']['money'])->done();
//类型匹配
$input['type']==1&&$row['customer']=search($customerList)->where([['id','=',$groupVo['customer']]])->find();//匹配客户
$input['type']==2&&$row['user']=search($userList)->where([['id','=',$groupVo['user']]])->find();//匹配用户
$input['type']==3&&$row['people']=search($peopleList)->where([['id','=',$groupVo['people']]])->find();//匹配人员
$data[]=$row;
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售汇总表'];
//表格数据
$field=[
[
"customer|name"=>"客户"
],
[
"user|name"=>"用户"
],
[
"people|name"=>"关联人员"
],
[
"goodsData|name"=>"商品名称",
"attr"=>"辅助属性",
"warehouseData|name"=>"仓库",
"unit"=>"单位",
"sell|price"=>"销售单价",
"sell|nums"=>"销售数量",
"sell|money"=>"销售金额",
"sre|price"=>"购退单价",
"sre|nums"=>"购退数量",
"sre|money"=>"购退金额",
"summary|nums"=>"汇总数量",
"summary|money"=>"汇总金额"
]
];
$field=[$field[3],array_merge($field[0],$field[3]),array_merge($field[1],$field[3]),array_merge($field[2],$field[3]),][$input['type']];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'销售总金额:'.mathArraySum(arrayColumns($source,['sell','money'])),
'销售退货总金额:'.mathArraySum(arrayColumns($source,['sre','money'])),
'汇总金额:'.mathArraySum(arrayColumns($source,['summary','money']))
]];
//导出execl
buildExcel('销售汇总表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//销售收款表
public function sbt(){
$input=input('post.');
$sheet=['sell','sre'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && is_arrays($input,['nucleus','mold']) && arrayInArray($input['mold'],$sheet)){
$sql=[];
//CLASS语句
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['nucleus','fullIn']
]);
$sql[]=['examine','=',1];
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('sell',$sql);//数据鉴权[结构一致]
//组装语句
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold)->where($sql)->fieldRaw('"'.$mold.'" as mold,id,time')->buildSql();
}
$union=implode(' UNION ALL ',$union);
//获取总条数
$count=DB::query('SELECT COUNT(*) as count FROM ('.$union.') as nodcloud')[0]["count"];
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud ORDER BY `time` DESC LIMIT '.pageCalc($input['page'],$input['limit'],'str'));
//匹配数据
$list=[];
foreach ($input['mold'] as $mold) {
$gather=search($record)->where([['mold','=',$mold]])->select();
$db="app\\model\\".ucfirst($mold);
$list[$mold]=$db::with(['frameData','customerData','billData'])->where([['id','in',array_column($gather,'id')]])->append(['extension'])->select()->toArray();
}
//构造数据
$data=[];
foreach ($record as $recordVo) {
$mold=$recordVo['mold'];
$row=search($list[$mold])->where([['id','=',$recordVo['id']]])->find();
$row['key']=$mold.'_'.$recordVo['id'];
$row['name']=['sell'=>'销售单','sre'=>'销售退货单'][$mold];
$row['balance']=$row['extension']['anwo'];
$row['rate']=in_array($row['nucleus'],['0','2'])?['0%','','100%'][$row['nucleus']]:math()->chain($row['extension']['amount'])->div($row['actual'])->mul(100)->round(2)->done().'%';
$row['node']=[];
$bill=search($row['billData'])->where([['type','=','bill']])->select();
foreach ($bill as $billVo) {
$node=[
'key'=>$row['key'].'_'.$billVo['id'],
'name'=>'核销单',
'time'=>$billVo['time'],
'number'=>$billVo['sourceData']['number'],
'money'=>$billVo['money'],
];
//反转金额
in_array($mold,['sre'])&&$node['money']*=-1;
$row['node'][]=$node;
}
//反转金额
if(in_array($mold,['sre'])){
$row['total']*=-1;
$row['actual']*=-1;
$row['money']*=-1;
$row['balance']*=-1;
}
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//销售收款表-导出
public function sbtExports(){
$input=input('get.');
$sheet=['sell','sre'];
existFull($input,['nucleus'])||$input['nucleus']=[];
existFull($input,['mold'])||$input['mold']=$sheet;
if(is_arrays($input,['nucleus','mold']) && arrayInArray($input['mold'],$sheet)){
pushLog('导出销售收款表');//日志
$sql=[];
//CLASS语句
$sql=fastSql($input,[
['customer','fullEq'],
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
['nucleus','fullDivisionIn']
]);
$sql[]=['examine','=',1];
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('sell',$sql);//数据鉴权[结构一致]
//组装语句
$union=[];
foreach ($input['mold'] as $mold) {
$union[]=Db::name($mold)->where($sql)->fieldRaw('"'.$mold.'" as mold,id,time')->buildSql();
}
$union=implode(' UNION ALL ',$union);
//获取总条数
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud ORDER BY `time` DESC');
//匹配数据
$list=[];
foreach ($input['mold'] as $mold) {
$gather=search($record)->where([['mold','=',$mold]])->select();
$db="app\\model\\".ucfirst($mold);
$list[$mold]=$db::with(['frameData','customerData','billData'])->where([['id','in',array_column($gather,'id')]])->append(['extension'])->select()->toArray();
}
//构造数据
$data=[];
foreach ($record as $recordVo) {
$mold=$recordVo['mold'];
$row=search($list[$mold])->where([['id','=',$recordVo['id']]])->find();
$row['key']=$mold.'_'.$recordVo['id'];
$row['name']=['sell'=>'销售单','sre'=>'销售退货单'][$mold];
$row['balance']=$row['extension']['anwo'];
$row['rate']=in_array($row['nucleus'],['0','2'])?['0%','','100%'][$row['nucleus']]:math()->chain($row['extension']['amount'])->div($row['actual'])->mul(100)->round(2)->done().'%';
$row['node']=[];
$bill=search($row['billData'])->where([['type','=','bill']])->select();
foreach ($bill as $billVo) {
$node=[
'key'=>$row['key'].'_'.$billVo['id'],
'name'=>'核销单',
'time'=>$billVo['time'],
'number'=>$billVo['sourceData']['number'],
'money'=>$billVo['money'],
];
//反转金额
in_array($mold,['sre'])&&$node['money']*=-1;
$row['node'][]=$node;
}
//反转金额
if(in_array($mold,['sre'])){
$row['total']*=-1;
$row['actual']*=-1;
$row['money']*=-1;
$row['balance']*=-1;
}
$data[]=$row;
}
$source=[];
foreach ($data as $dataVo) {
$source[]=$dataVo;
if(!empty($dataVo['node'])){
foreach ($dataVo['node'] as $node) {
$source[]=$node;
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'销售收款表'];
//表格数据
$field=[
"name"=>"单据类型",
"frameData|name"=>"所属组织",
"customerData|name"=>"客户",
"time"=>"单据时间",
"number"=>"单据编号",
"total"=>"单据金额",
"actual"=>"实际金额",
"money"=>"单据付款",
"balance"=>"应付款余额",
"rate"=>"付款率",
"extension|nucleus"=>"核销状态",
"data"=>"备注信息"
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
'应收款总余额:'.mathArraySum(array_column($source,'balance'))
]];
//导出execl
buildExcel('销售收款表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
}

View File

@ -0,0 +1,437 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use think\Model;
use app\model\{Goods,RoomInfo};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Stock extends Acl {
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit']) && isset($input['warehouse']) && is_array($input['warehouse']) && isset($input['state']) && in_array($input['state'],[0,1,2])){
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->order(['id'=>'desc'])->select()->toArray();
//构造表头|集合
$column=[];
foreach ($warehouse as $warehouseVo) {
$column[]=['id'=>$warehouseVo['id'],'key'=>'stock_'.$warehouseVo['id'],'name'=>$warehouseVo['name']];
}
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//查询类型
if($input['state']==0){
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->page($input['page'],$input['limit'])->append(['extension'])->select()->toArray();
}elseif($input['state']==1){
$exists=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['nums','<>',0],['goods','=',Db::raw('goods.id')]])->buildSql(false);
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->order(['id'=>'desc'])->page($input['page'],$input['limit'])->append(['extension'])->select()->toArray();
}else{
//子查询
$exists=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','=',Db::raw('goods.id')],['nums','<=',Db::raw('goods.stock')]])->buildSql(false);
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->order(['id'=>'desc'])->page($input['page'],$input['limit'])->append(['extension'])->select()->toArray();
}
//唯一标识|属性处理
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['key']=$infoVo['id'];
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
$info[$infoKey]['attr'][$attrKey]['key']=$infoVo['id'].'.'.$attrVo['id'];
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//查询库存数据
$room=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','in',array_column($info,'id')]])->select()->toArray();
//库存集合[w:仓库|g:商品|a:属性]
$gather=['g'=>[],'wg'=>[],'ga'=>[],'wga'=>[]];
foreach ($room as $roomVo) {
//商品
$g=md5_16($roomVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add($roomVo['nums'])->done();
//仓库|商品
$wg=md5_16($roomVo['warehouse'].'&'.$roomVo['goods']);
$gather['wg'][$wg]=math()->chain($gather['wg'][$wg]??0)->add($roomVo['nums'])->done();
//判断属性
if(!empty($roomVo['attr'])){
//商品|属性
$ga=md5_16($roomVo['goods'].'&'.$roomVo['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add($roomVo['nums'])->done();
//仓库|商品|属性
$wga=md5_16($roomVo['warehouse'].'&'.$roomVo['goods'].'&'.$roomVo['attr']);
$gather['wga'][$wga]=math()->chain($gather['wga'][$wga]??0)->add($roomVo['nums'])->done();
}
}
//数量匹配|库存处理
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?($infoVo['unit']=='-1'?unitSwitch($gather['g'][$g],$infoVo['units']):$gather['g'][$g]):0;
//仓库|商品
foreach ($column as $columnVo) {
$wg=md5_16($columnVo['id'].'&'.$infoVo['id']);
$info[$infoKey]['stock_'.$columnVo['id']]=isset($gather['wg'][$wg])?($infoVo['unit']=='-1'?unitSwitch($gather['wg'][$wg],$infoVo['units']):$gather['wg'][$wg]):0;
}
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?($infoVo['unit']=='-1'?unitSwitch($gather['ga'][$ga],$infoVo['units']):$gather['ga'][$ga]):0;
//仓库|商品|属性
foreach ($column as $columnVo) {
$wga=md5_16($columnVo['id'].'&'.$infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['stock_'.$columnVo['id']]=isset($gather['wga'][$wga])?($infoVo['unit']=='-1'?unitSwitch($gather['wga'][$wga],$infoVo['units']):$gather['wga'][$wga]):0;
$input['state']==2&&$info[$infoKey]['attr'][$attrKey]['stocks'][]=$info[$infoKey]['attr'][$attrKey]['stock_'.$columnVo['id']];
}
//非零库存|排除属性为零
if($input['state']==1 && $info[$infoKey]['attr'][$attrKey]['summary']==0){
unset($info[$infoKey]['attr'][$attrKey]);
}
//预警库存
if($input['state']==2){
$exist=false;
foreach ($info[$infoKey]['attr'][$attrKey]['stocks'] as $stockVo) {
if($stockVo<=$info[$infoKey]['stock']){
$exist=true;
break;
}
}
if(!$exist)unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info,
'column'=>$column
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
existFull($input,['warehouse'])||$input['warehouse']=[];
if(isset($input['warehouse']) && is_array($input['warehouse']) && isset($input['state']) && in_array($input['state'],[0,1,2])){
pushLog('导出库存列表');//日志
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->order(['id'=>'desc'])->select()->toArray();
//构造表头
$column=[];
foreach ($warehouse as $warehouseVo) {
$column['stock_'.$warehouseVo['id']]=$warehouseVo['name'];
}
//匹配商品
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['spec','fullLike'],
['brand','fullEq'],
['code','fullLike']
]);//构造SQL
//商品类型
$sql[]=['type','=',0];
//辅助属性扩展查询
$sqlOr=existFull($input,['code'])?[['id','in',array_column(Db::name('attr')->where([['code','=',$input['code']]])->select()->toArray(),'pid')]]:[];
//商品分类树结构查询
existFull($input,['category'])&&$sql[]=['category','in',findTreeArr('category',$input['category'],'id')];
//查询类型
if($input['state']==0){
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
}elseif($input['state']==1){
$exists=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['nums','<>',0],['goods','=',Db::raw('goods.id')]])->buildSql(false);
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
}else{
//子查询
$exists=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','=',Db::raw('goods.id')],['nums','<=',Db::raw('goods.stock')]])->buildSql(false);
//获取总条数
$count = Goods::where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->count();
//查询分页数据
$info = Goods::with(['categoryData','attr'])->where($sql)->whereOr($sqlOr)->alias('goods')->whereExists($exists)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
}
//属性处理
foreach ($info as $infoKey=>$infoVo) {
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//属性处理
if(existFull($input,['code']) && !in_array($input['code'],[$infoVo['code'],$attrVo['code']])){
unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//查询库存数据
$room=Db::name('room')->where([['warehouse','in',array_column($warehouse,'id')],['goods','in',array_column($info,'id')]])->select()->toArray();
//库存集合[w:仓库|g:商品|a:属性]
$gather=['g'=>[],'wg'=>[],'ga'=>[],'wga'=>[]];
foreach ($room as $roomVo) {
//商品
$g=md5_16($roomVo['goods']);
$gather['g'][$g]=math()->chain($gather['g'][$g]??0)->add($roomVo['nums'])->done();
//仓库|商品
$wg=md5_16($roomVo['warehouse'].'&'.$roomVo['goods']);
$gather['wg'][$wg]=math()->chain($gather['wg'][$wg]??0)->add($roomVo['nums'])->done();
//判断属性
if(!empty($roomVo['attr'])){
//商品|属性
$ga=md5_16($roomVo['goods'].'&'.$roomVo['attr']);
$gather['ga'][$ga]=math()->chain($gather['ga'][$ga]??0)->add($roomVo['nums'])->done();
//仓库|商品|属性
$wga=md5_16($roomVo['warehouse'].'&'.$roomVo['goods'].'&'.$roomVo['attr']);
$gather['wga'][$wga]=math()->chain($gather['wga'][$wga]??0)->add($roomVo['nums'])->done();
}
}
//数量匹配|库存处理
foreach ($info as $infoKey=>$infoVo) {
//商品
$g=md5_16($infoVo['id']);
$info[$infoKey]['summary']=isset($gather['g'][$g])?($infoVo['unit']=='-1'?unitSwitch($gather['g'][$g],$infoVo['units']):$gather['g'][$g]):0;
//仓库|商品
foreach ($warehouse as $warehouseVo) {
$wg=md5_16($warehouseVo['id'].'&'.$infoVo['id']);
$info[$infoKey]['stock_'.$warehouseVo['id']]=isset($gather['wg'][$wg])?($infoVo['unit']=='-1'?unitSwitch($gather['wg'][$wg],$infoVo['units']):$gather['wg'][$wg]):0;
}
//匹配辅助属性
foreach ($infoVo['attr'] as $attrKey=>$attrVo) {
//商品|属性
$ga=md5_16($infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['summary']=isset($gather['ga'][$ga])?($infoVo['unit']=='-1'?unitSwitch($gather['ga'][$ga],$infoVo['units']):$gather['ga'][$ga]):0;
//仓库|商品|属性
foreach ($warehouse as $warehouseVo) {
$wga=md5_16($warehouseVo['id'].'&'.$infoVo['id'].'&'.$attrVo['name']);
$info[$infoKey]['attr'][$attrKey]['stock_'.$warehouseVo['id']]=isset($gather['wga'][$wga])?($infoVo['unit']=='-1'?unitSwitch($gather['wga'][$wga],$infoVo['units']):$gather['wga'][$wga]):0;
$input['state']==2&&$info[$infoKey]['attr'][$attrKey]['stocks'][]=$info[$infoKey]['attr'][$attrKey]['stock_'.$warehouseVo['id']];
}
//非零库存|排除属性为零
if($input['state']==1 && $info[$infoKey]['attr'][$attrKey]['summary']==0){
unset($info[$infoKey]['attr'][$attrKey]);
}
//预警库存
if($input['state']==2){
$exist=false;
foreach ($info[$infoKey]['attr'][$attrKey]['stocks'] as $stockVo) {
if($stockVo<=$info[$infoKey]['stock']){
$exist=true;
break;
}
}
if(!$exist)unset($info[$infoKey]['attr'][$attrKey]);
}
}
//重建索引
$info[$infoKey]['attr']=array_values($info[$infoKey]['attr']);
}
//结构重组
$source=[];
foreach ($info as $infoVo) {
$source[]=$infoVo;
if(!empty($infoVo['attr'])){
foreach ($infoVo['attr'] as $attrVo) {
$attrVo['name']='|- '.$attrVo['name'];
$source[]=$attrVo;
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'库存列表'];
//表格数据
$field=array_merge(['name'=>'商品名称','summary'=>'库存数量'],$column,['stock'=>'预警阈值','number'=>'商品编号','spec'=>'规格型号','categoryData|name'=>'商品分类','brand'=>'商品品牌','extension|unit'=>'商品单位','code'=>'商品条码','data'=>'商品备注']);
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('库存列表',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
//详情列表
public function detailRecord(){
$input=input('post.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['type'])||$input['type']=$sheet;
if(existFull($input,['page','limit','goods','warehouse']) && is_arrays($input,['warehouse','type']) && arrayInArray($input['type'],$sheet)){
//构造SQL|ROOM
$roomSql=fastSql($input,[
['warehouse','fullIn'],
['goods','fullEq']
]);
isset($input['attr'])&&$roomSql[]=['attr','=',$input['attr']];
//查询仓储数据
$room=Db::name('room')->where($roomSql)->field(['id'])->select()->toArray();
if(empty($room)){
$count=0;
$info=[];
}else{
//构造SQL|ROOMINFO
$infoSql=fastSql($input,[['type','fullIn']]);
$infoSql[]=['pid','in',array_column($room,'id')];
//子查询SQL
$existsSql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['id','=',Db::raw('info.class')];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['type'])){
$union[]=Db::name($v)->where([['info.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$count=RoomInfo::alias('info')->where($infoSql)->whereExists($union)->count();
$info=RoomInfo::with(['sourceData'=>['frameData']])->alias('info')->where($infoSql)->whereExists($union)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//处理多单位
if(!empty($info)){
$goods=Db::name('goods')->where([['id','=',$input['goods']]])->find();
if($goods['unit']=='-1'){
foreach ($info as $infoKey=>$infoVo) {
$info[$infoKey]['nums']=unitSwitch($infoVo['nums'],json_decode($goods['units'],true));
}
}
}
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//详情导出
public function detailExports(){
$input=input('get.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['type'])||$input['type']=$sheet;
if(existFull($input,['goods','warehouse']) && is_arrays($input,['warehouse','type']) && arrayInArray($input['type'],$sheet)){
pushLog('导出库存详情');//日志
//商品数据
$goods=Db::name('goods')->where([['id','=',$input['goods']]])->find();
//构造SQL|ROOM
$roomSql=fastSql($input,[
['warehouse','fullIn'],
['goods','fullEq']
]);
isset($input['attr'])&&$roomSql[]=['attr','=',$input['attr']];
//查询仓储数据
$room=Db::name('room')->where($roomSql)->field(['id'])->select()->toArray();
if(empty($room)){
$source=[];
}else{
//构造SQL|ROOMINFO
$infoSql=fastSql($input,[['type','fullIn']]);
$infoSql[]=['pid','in',array_column($room,'id')];
//子查询SQL
$existsSql=fastSql($input,[
['number','fullLike'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$existsSql[]=['id','=',Db::raw('info.class')];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['type'])){
$union[]=Db::name($v)->where([['info.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$source=RoomInfo::with(['sourceData'=>['frameData']])->alias('info')->where($infoSql)->whereExists($union)->order(['id'=>'desc'])->append(['extension'])->select()->toArray();
//处理多单位
if(!empty($source)){
$goods=Db::name('goods')->where([['id','=',$input['goods']]])->find();
if($goods['unit']=='-1'){
foreach ($source as $sourceKey=>$sourceVo) {
$source[$sourceKey]['nums']=unitSwitch($sourceVo['nums'],json_decode($goods['units'],true));
}
}
}
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'库存详情'];
//表格数据
$field=[
'sourceData|frameData|name'=>'所属组织',
'sourceData|time'=>'操作时间',
'extension|type'=>'单据类型',
'sourceData|number'=>'单据编号',
'extension|direction'=>'操作类型',
'nums'=>'操作数量'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('库存详情',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

View File

@ -0,0 +1,289 @@
<?php
namespace app\controller;
use app\controller\Acl;
use think\facade\Db;
class Summary extends Acl {
public function __construct(){}
//初始化
public function init() {
$period=getPeriod();
//查询条数
$count=Db::name('room_info')->where([['time','>',$period]])->count();
//计价方式
$fun=getSys('fun');
$info=[
'valuation'=>['base'=>'基础计价','ma'=>'移动平均','fifo'=>'先进先出'][$fun['valuation']],
'branch'=>['总仓核算','分仓核算'][$fun['branch']],
'rule'=>['def'=>'结存结余','attr'=>'辅助属性','batch'=>'批次日期','aab'=>'属性批次'][$fun['rule']],
];
//初始结账
$summary=Db::name('summary')->where([['time','>',$period]])->field(['id'])->select()->toArray();
$fifo=Db::name('fifo')->where([['out','in',array_column($summary,'id')]])->select()->toArray();
$relation=[];
foreach ($fifo as $v) {
$relation[]=['id'=>$v['in'],'handle'=>$v['handle']];
}
if(!empty($relation)){
Db::name('summary')->duplicate(['handle'=>Db::raw('handle - VALUES(`handle`)')])->insertAll($relation);
Db::name('fifo')->where([['id','in',array_column($fifo,'id')]])->delete();
}
Db::name('summary')->where([['id','in',array_column($summary,'id')]])->delete();
pushLog('执行数据校准');//日志
//返回数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];
return json($result);
}
//收发处理
public function note($type,$class,$mold){
//场景判断
if($mold){
//记录
$info=Db::name('room_info')->where([['type','=',$type],['class','=',$class]])->order(['time','id'])->field(['id'])->select()->toArray();
$this->handle(array_column($info,'id'));
}else{
//清除
$summary=Db::name('summary')->where([['type','=',$type],['class','=',$class]])->field(['id'])->select()->toArray();
$fifo=Db::name('fifo')->where([['out','in',array_column($summary,'id')]])->select()->toArray();
$relation=[];
foreach ($fifo as $v) {
$relation[]=['id'=>$v['in'],'handle'=>$v['handle']];
}
if(!empty($relation)){
Db::name('summary')->duplicate(['handle'=>Db::raw('handle - VALUES(`handle`)')])->insertAll($relation);
Db::name('fifo')->where([['id','in',array_column($fifo,'id')]])->delete();
}
Db::name('summary')->where([['id','in',array_column($summary,'id')]])->delete();
}
}
//轮询数据
public function poll() {
$input=input('post.');
if(existFull($input,['page','limit'])){
Db::startTrans();
try {
$period=getPeriod();
$info=Db::name('room_info')->where([['time','>',$period]])->page($input['page'],$input['limit'])->order(['time','id'])->field(['id'])->select()->toArray();
$this->handle(array_column($info,'id'));
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
dd($e);
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//收发记录
public function handle($arr){
if(empty($arr)) return;
//查询记录
$info = Db::name('room_info')->where([['id','in',$arr]])->order(['time','id'])->select()->toArray();
//匹配单据
$union=[];
$tab=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($tab as $t=>$m) {
$gather=search($info)->where([['type','=',$t]])->select();
if(!empty($gather)){
$union[]=Db::name($m.'_info')->where([['id','in',array_column($gather,'info')]])->fieldRaw('"'.$t.'" as mold,id,goods,attr,'.($t=='swapEnter'?'storehouse as warehouse':'warehouse').',batch,mfd,serial')->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$record=DB::query('SELECT * FROM ('.$union.') as nodcloud');
//构造数据
$summary=[];
//exist结存|balance结余
//[0,0,0,0]=[商品总仓|商品分仓|规则总仓|规则分仓]
$def=['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]];
foreach ($info as $vo) {
$row=search($record)->where([['mold','=',$vo['type']],['id','=',$vo['info']]])->find();
$summary[]=[
'pid'=>$vo['id'],
'type'=>$vo['type'],
'class'=>$vo['class'],
'info'=>$vo['info'],
'time'=>$vo['time'],
'goods'=>$row['goods'],
'attr'=>$row['attr'],
'warehouse'=>$row['warehouse'],
'batch'=>$row['batch'],
'mfd'=>$row['mfd'],
'serial'=>$row['serial'],
'direction'=>$vo['direction'],
'price'=>$vo['price'],
'nums'=>$vo['nums'],
'uct'=>0,
'bct'=>0,
'exist'=>json_encode($def['exist']),
'balance'=>json_encode($def['balance']),
'handle'=>0
];
}
Db::name('summary')->insertAll($summary);
$summary=Db::name('summary')->where([['pid','in',array_column($summary,'pid')]])->order(['id'])->select()->toArray();
//处理数据
$fun=getSys('fun');
$goods=Db::name('goods')->where([['id','in',array_column($summary,'goods')]])->field(['id','buy'])->select()->toArray();
$attr=Db::name('attr')->where([['pid','in',array_column($summary,'goods')]])->field(['pid','name','buy'])->select()->toArray();
foreach ($summary as $vo) {
$sql=[
[['id','<',$vo['id']],['goods','=',$vo['goods']]],
[['warehouse','=',$vo['warehouse']]]
];
//规则语句
if($fun['rule']=='def'){
$sql[]=[];
}else if($fun['rule']=='attr'){
$sql[]=[['attr','=',$vo['attr']]];
}else if($fun['rule']=='batch'){
$sql[]=[['batch','=',$vo['batch']],['mfd','=',$vo['mfd']]];
}else{
$sql[]=[['attr','=',$vo['attr']],['batch','=',$vo['batch']],['mfd','=',$vo['mfd']]];
}
//[商品总仓|商品分仓|规则总仓|规则分仓]
$senten=[$sql[0],array_merge($sql[0],$sql[1]),array_merge($sql[0],$sql[2]),array_merge($sql[0],$sql[1],$sql[2])];
$first=[];
$first[]=Db::name('summary')->where($senten[0])->order(['id'=>'DESC'])->find();
$first[]=Db::name('summary')->where($senten[1])->order(['id'=>'DESC'])->find();
$first[]=Db::name('summary')->where($senten[2])->order(['id'=>'DESC'])->find();
$first[]=Db::name('summary')->where($senten[3])->order(['id'=>'DESC'])->find();
//默认值
foreach ($first as $k=>$v) {
if(empty($v)){
$first[$k]=$def;
}else{
$first[$k]=['exist'=>json_decode($v['exist']),'balance'=>json_decode($v['balance'])];
}
}
//数据处理
$g=search($goods)->where([['id','=',$vo['goods']]])->find();
$a=search($attr)->where([['pid','=',$vo['goods']],['name','=',$vo['attr']]])->find();
$buy=empty($a)?$g['buy']:$a['buy'];
//序列判断
$serial=json_decode($vo['serial']);
if(empty($serial)){
//计价方法
if($fun['valuation']=='base'){
//基础计价法
if(in_array($vo['type'],['buy','bre','swapOut','swapEnter','entry','extry'])){
$uct=$vo['price'];
}else{
$uct=$buy;
}
}else if($fun['valuation']=='ma'){
//移动平均法
if(in_array($vo['type'],['buy','bre','swapOut','swapEnter','entry','extry'])){
$uct=$vo['price'];
}else{
//[空|负]库存取采购价
//正常库存取结余除结存
if(empty($fun['branch'])){
$uct=$first[2]['exist'][2]<=0?$buy:math()->chain($first[2]['balance'][2])->div($first[2]['exist'][2])->done();
}else{
$uct=$first[3]['exist'][3]<=0?$buy:math()->chain($first[3]['balance'][3])->div($first[3]['exist'][3])->round(2)->done();
}
}
}else{
//先进先出法
if(in_array($vo['type'],['buy','swapEnter','entry'])){
$uct=$vo['price'];
}else if(in_array($vo['type'],['sre','vre'])){
$uct=$buy;
}else{
$where=[
['id','<',$vo['id']],
['goods','=',$vo['goods']],
['attr','=',$vo['attr']],
['batch','=',$vo['batch']],
['mfd','=',$vo['mfd']],
['direction','=',1],
[DB::raw('nums'),'<>',DB::raw('handle')]
];
empty($fun['branch'])&&$where[]=['warehouse','=',$vo['warehouse']];
$build=DB::name('summary')->where($where)->fieldRaw('id,uct,(nums - handle) as usable,(@sum := @sum + (nums - handle)) as sum')->order('id')->buildSql(false);
$build=str_replace("WHERE","CROSS JOIN ( SELECT @sum := 0 ) t WHERE",$build);
$list=DB::query('SELECT * FROM ('.$build.') as nodcloud WHERE sum < '.$vo['nums'].' or (sum >= '.$vo['nums'].' and sum - usable < '.$vo['nums'].');');
if(empty($list)){
//[无入库]取采购价
$uct=$buy;
}else{
$uct=0;
$knot=$vo['nums'];
$relation=[];
foreach ($list as $v) {
if($knot<=$v['usable']){
$relation[]=['id'=>$v['id'],'handle'=>$knot];
$calc=math()->chain($knot)->mul($v['uct'])->done();
$uct=math()->chain($uct)->add($calc)->done();
break;
}else{
$relation[]=['id'=>$v['id'],'handle'=>$v['usable']];
$calc=math()->chain($v['usable'])->mul($v['uct'])->done();
$uct=math()->chain($uct)->add($calc)->done();
$knot=math()->chain($knot)->sub($v['usable'])->done();
}
}
$uct=math()->chain($uct)->div($vo['nums'])->done();
Db::name('summary')->duplicate(['handle'=>Db::raw('handle + VALUES(`handle`)')])->insertAll($relation);
$fifo=[];
foreach ($relation as $v) {
$fifo[]=['out'=>$vo['id'],'in'=>$v['id'],'handle'=>$v['handle']];
}
Db::name('fifo')->insertAll($fifo);
}
}
}
}else{
//序列产品
if(in_array($vo['type'],['buy','swapEnter','entry'])){
//[无入库]取采购价
$uct=$vo['price'];
}else{
$uct=0;
foreach ($serial as $v) {
$row=DB::name('summary')->where([
['id','<',$vo['id']],
['goods','=',$vo['goods']],
['serial','like','%"'.$v.'"%']
])->field(['uct'])->order(['id'=>'DESC'])->find();
$uct=math()->chain($uct)->add(empty($row)?$buy:$row['uct'])->done();
}
$uct=math()->chain($uct)->div($vo['nums'])->done();
}
}
//综合处理
$uct=math()->chain($uct)->round($fun['digit']['money'])->done();
$exist=[
empty($vo['direction'])?math()->chain($first[0]['exist'][0])->sub($vo['nums'])->done():math()->chain($first[0]['exist'][0])->add($vo['nums'])->done(),
empty($vo['direction'])?math()->chain($first[1]['exist'][1])->sub($vo['nums'])->done():math()->chain($first[1]['exist'][1])->add($vo['nums'])->done(),
empty($vo['direction'])?math()->chain($first[2]['exist'][2])->sub($vo['nums'])->done():math()->chain($first[2]['exist'][2])->add($vo['nums'])->done(),
empty($vo['direction'])?math()->chain($first[3]['exist'][3])->sub($vo['nums'])->done():math()->chain($first[3]['exist'][3])->add($vo['nums'])->done()
];
$bct=math()->chain($uct)->mul($vo['nums'])->done();
$balance=[
empty($vo['direction'])?math()->chain($first[0]['balance'][0])->sub($bct)->done():math()->chain($first[0]['balance'][0])->add($bct)->done(),
empty($vo['direction'])?math()->chain($first[1]['balance'][1])->sub($bct)->done():math()->chain($first[1]['balance'][1])->add($bct)->done(),
empty($vo['direction'])?math()->chain($first[2]['balance'][2])->sub($bct)->done():math()->chain($first[2]['balance'][2])->add($bct)->done(),
empty($vo['direction'])?math()->chain($first[3]['balance'][3])->sub($bct)->done():math()->chain($first[3]['balance'][3])->add($bct)->done()
];
foreach ($exist as $k=>$v){
$v==0&&$balance[$k]=0;
}
$exist=json_encode($exist);
$balance=json_encode($balance);
Db::name('summary')->where([['id','=',$vo['id']]])->update(['uct'=>$uct,'bct'=>$bct,'exist'=>$exist,'balance'=>$balance]);
}
}
}

View File

@ -0,0 +1,246 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\{Supplier as Suppliers,Sys};
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Supplier extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['number','fullLike'],
['category','fullEq'],
['contacts','fullLike'],
[['tel'=>'contacts'],'fullLike'],
['user','fullEq'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('supplier',$sql);//数据鉴权
$count = Suppliers::where($sql)->count();//获取总条数
$info = Suppliers::with(['frameData','userData'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//构造|验证
try {
//排除balance字段|防止更新应付款余额
unset($input['balance']);
$input['py']=zhToPy($input['name']);//首拼信息
empty($input['id'])?$this->validate($input,'app\validate\Supplier'):$this->validate($input,'app\validate\Supplier.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Suppliers::create($input);
pushLog('新增供应商[ '.$input['name'].' ]');//日志
}else{
//更新数据
Suppliers::update($input);
pushLog('更新供应商[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Suppliers::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$exist=moreTableFind([
['table'=>'bor','where'=>[['supplier','in',$input['parm']]]],
['table'=>'buy','where'=>[['supplier','in',$input['parm']]]],
['table'=>'bre','where'=>[['supplier','in',$input['parm']]]],
['table'=>'entry','where'=>[['supplier','in',$input['parm']]]],
['table'=>'omy','where'=>[['supplier','in',$input['parm']]]],
['table'=>'bill','where'=>[['customer','in',$input['parm']]]],
['table'=>'oce','where'=>[['supplier','in',$input['parm']]]],
]);
if(empty($exist)){
$data=Db::name('supplier')->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();
Db::startTrans();
try {
Db::name('supplier')->where([['id','in',$input['parm']]])->delete();
Db::name('log')->insert(['time'=>time(),'user'=>getUserID(),'info'=>'删除供应商[ '.implode(' | ',array_column($data,'name')).' ]']);
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//导入
public function import(){
delOverdueFile('static.upload.xlsx');//删除过期文件
$file=request()->file('file');//获取上传文件
if(empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>2*1024*1024,'fileExt'=>'xlsx']])->check(['file'=>$file]);
$fileInfo = Filesystem::disk('upload')->putFile('xlsx', $file, 'uniqid');
$filePath = pathChange('static.upload').$fileInfo;
$data=getXlsx($filePath);
unset($data[1]);//删除标题行
unset($data[2]);//删除列名行
$sql=[];//初始化SQL
$frame=Db::name('frame')->where([['name','in',array_column($data,'C')]])->select()->toArray();
foreach ($data as $dataKey=>$dataVo) {
$record=[
'name'=>$dataVo['A'],
'py'=>zhToPy($dataVo['A']),
'number'=>$dataVo['B'],
'frame'=>$dataVo['C'],
'user'=>getUserID(),
'category'=>$dataVo['D'],
'rate'=>$dataVo['E'],
'bank'=>$dataVo['F'],
'account'=>$dataVo['G'],
'tax'=>$dataVo['H'],
'data'=>$dataVo['I'],
'contacts'=>(empty($dataVo['J'])&&empty($dataVo['K']))?[]:[['main'=>true,'name'=>$dataVo['J'],'tel'=>$dataVo['K'],'add'=>$dataVo['L'],'data'=>$dataVo['M']]],
'more'=>[]
];
//所属组织匹配
$frameFind=search($frame)->where([['name','=',$record['frame']]])->find();
if(empty($frameFind)){
throw new ValidateException('模板文件第'.$dataKey.'行所属组织[ '.$record['frame'].' ]未匹配!');
}else{
$record['frame']=$frameFind['id'];
}
//数据合法性验证
try {
$this->validate($record,'app\validate\Supplier');
$sql[]=$record;//加入SQL
} catch (ValidateException $e) {
//返回错误信息
return json(['state'=>'error','info'=>'模板文件第[ '.$dataKey.' ]行'.$e->getError()]);
exit;
}
}
//判断编号重复
$column=array_column($sql,'number');
$unique=array_unique($column);
$diff=array_diff_assoc($column,$unique);
if(!empty($diff)){
//返回错误信息
return json(['state'=>'error','info'=>'模板文件供应商编号[ '.implode(' | ',$diff).' ]重复!']);
}
//处理关联数据
foreach($sql as $sqlKey=>$sqlVo){
$sys=getSys(['srCategory']);
//供应商类别
if(!in_array($sqlVo['category'],$sys['srCategory'])){
$sys['srCategory'][]=$sqlVo['category'];
Sys::where([['name','=','srCategory']])->update(['info'=>json_encode($sys['srCategory'])]);
}
}
//新增数据
$supplier = new Suppliers;
$supplier->saveAll($sql);
pushLog('批量导入[ '.count($sql).' ]条供应商数据');//日志
$result=['state'=>'success','info'=>'成功导入'.count($sql).'行供应商数据'];
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];//返回错误信息
}
}
return json($result);
}
//导出
public function exports(){
$input=input('get.');
if(existFull($input,['parm']) && is_array($input['parm'])){
$info=Suppliers::with(['frameData','userData'])->where([['id','in',$input['parm']]])->order(['id'=>'desc'])->select()->toArray();//查询数据
foreach ($info as $infoKey=>$infoVo) {
$contactsArr=[];
foreach ($infoVo['contacts'] as $contactsVo) {
$contactsArr[]=$contactsVo['name'].' | '.$contactsVo['tel'].' | '.$contactsVo['add'].' | '.$contactsVo['data'];
}
$info[$infoKey]['contacts']=implode(chr(10),$contactsArr);
}
$field=[
'name'=>'供应商名称',
'number'=>'供应商编号',
'category'=>'供应商类别',
'rate'=>'增值税税率',
'bank'=>'开户银行',
'account'=>'银行账号',
'tax'=>'纳税号码',
'balance'=>'应付款余额',
'frameData|name'=>'所属组织',
'userData|name'=>'所属用户',
'data'=>'备注信息',
'contacts'=>'联系资料'
];
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'供应商信息'];
//表格数据
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($info as $infoVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($infoVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//统计数据
$excel[]=['type'=>'node','info'=>['总数:'.count($info)]];
//导出execl
pushLog('导出供应商信息');//日志
buildExcel('供应商信息',$excel);
}else{
return json(['state'=>'error','info'=>'传入数据不完整!']);
}
}
}

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,41 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Sys as Syss;
use think\facade\Db;
class Sys extends Acl {
//列表
public function record(){
return json(['state'=>'success','info'=>getSys()]);
}
//保存
public function save(){
$input=input('post.');
if(is_array($input)){
$sql=[];
//查找对应主键
$keys=array_keys($input);
$sys=Syss::where([['name','in',$keys]])->field(['id','name'])->select();
//构造数据
foreach ($sys as $row){
$sql[]=['id'=>$row['id'],'info'=>$input[$row['name']]];
}
Db::startTrans();
try {
//数据处理
$model=new Syss;
$model->saveAll($sql);
pushLog('修改系统参数');
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,161 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\User as Users;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class User extends Acl{
//列表
public function record(){
$input=input('post.');
if(existFull($input,['page','limit'])){
$sql=fastSql($input,[
[['name'=>'name|py'],'fullLike'],
['user','fullLike'],
['tel','fullLike'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('user',$sql);//数据鉴权
$count = Users::where($sql)->count();//获取总条数
$info = Users::with(['frameData','roleData'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//构造|验证
try {
$input['py']=zhToPy($input['name']);//首拼信息
if(empty($input['id'])){
$this->validate($input,'app\validate\User');
}else{
//设置TOKEN失效
$input['token']="";
//判断密码是否修改|留空不修改密码
if(isset($input['pwd']) && empty($input['pwd'])){
unset($input['pwd']);
}
$this->validate($input,'app\validate\User.update');
}
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Users::create($input);
pushLog('新增用户[ '.$input['name'].' ]');//日志
}else{
//更新数据
Users::update($input);
pushLog('更新用户[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Users::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
//关联判断
$exist=moreTableFind([
['table'=>'allot','where'=>[['user','=',$input['id']]]],
['table'=>'barter','where'=>[['user','=',$input['id']]]],
['table'=>'bill','where'=>[['user','=',$input['id']]]],
['table'=>'bor','where'=>[['user','=',$input['id']]]],
['table'=>'bre','where'=>[['user','=',$input['id']]]],
['table'=>'buy','where'=>[['user','=',$input['id']]]],
['table'=>'entry','where'=>[['user','=',$input['id']]]],
['table'=>'extry','where'=>[['user','=',$input['id']]]],
['table'=>'ice','where'=>[['user','=',$input['id']]]],
['table'=>'imy','where'=>[['user','=',$input['id']]]],
['table'=>'oce','where'=>[['user','=',$input['id']]]],
['table'=>'omy','where'=>[['user','=',$input['id']]]],
['table'=>'period','where'=>[['user','=',$input['id']]]],
['table'=>'sell','where'=>[['user','=',$input['id']]]],
['table'=>'sor','where'=>[['user','=',$input['id']]]],
['table'=>'sre','where'=>[['user','=',$input['id']]]],
['table'=>'swap','where'=>[['user','=',$input['id']]]],
['table'=>'customer','where'=>[['user','=',$input['id']]]],
['table'=>'often','where'=>[['user','=',$input['id']]]],
['table'=>'record','where'=>[['user','=',$input['id']]]],
['table'=>'supplier','where'=>[['user','=',$input['id']]]],
]);
if(empty($exist)){
//逻辑处理
$find=Db::name('user')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('user')->where([['id','=',$input['id']]])->delete();
Db::name('log')->where([['user','=',$input['id']]])->delete();
pushLog('删除用户[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//上传
public function upload(){
$file=request()->file('file');//获取上传文件
if (empty($file)){
$result=['state'=>'error','info'=>'传入数据不完整!'];
}else{
try{
validate(['file'=>['fileSize'=>1*1024*1024,'fileExt'=>'png,gif,jpg,jpeg']])->check(['file'=>$file]);
$fileInfo=Filesystem::disk('upload')->putFile('user', $file, 'uniqid');
$filePath=request()->domain().'/static/upload/'.$fileInfo;
$result=['state'=>'success','info'=>$filePath];
}catch(ValidateException $e) {
$result=['state'=>'error','info'=>$e->getMessage()];
}
}
return json($result);
}
}

View File

@ -0,0 +1,118 @@
<?php
namespace app\controller ;
use app\controller\Acl;
use app\model\Warehouse as Warehouses;
use think\facade\Db;
use think\exception\ValidateException;
class Warehouse extends Acl {
//列表
public function record(){
$input=input('post.');
$sql=fastSql($input,[
['name','fullLike'],
['number','fullLike'],
['contacts','fullLike'],
['tel','fullLike'],
['add','fullLike'],
['data','fullLike']
]);//构造SQL
$sql=frameScope($sql);//组织数据
$sql=sqlAuth('warehouse',$sql);//数据鉴权
$count = Warehouses::where($sql)->count();//获取总条数
$info = Warehouses::with(['frameData'])->where($sql)->page($input['page'],$input['limit'])->order(['id'=>'desc'])->select();//查询分页数据
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info
];//返回数据
return json($result);
}
//新增|更新
public function save(){
$input=input('post.');
if(isset($input['id'])){
//验证数据
try {
empty($input['id'])?$this->validate($input,'app\validate\Warehouse'):$this->validate($input,'app\validate\Warehouse.update');
} catch (ValidateException $e) {
return json(['state'=>'error','info'=>$e->getError()]);
exit;
}
//处理数据
Db::startTrans();
try {
if(empty($input['id'])){
//创建数据
Warehouses::create($input);
pushLog('新增仓库[ '.$input['name'].' ]');//日志
}else{
//更新数据
Warehouses::update($input);
pushLog('更新仓库[ '.$input['name'].' ]');//日志
}
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//获取
public function get(){
$input=input('post.');
if(existFull($input,['id'])){
$result=[
'state'=>'success',
'info'=>Warehouses::where([['id','=',$input['id']]])->find()
];
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//删除
public function del(){
$input=input('post.');
if(existFull($input,['id'])){
//关联判断
$exist=moreTableFind([
['table'=>'sor_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'sell_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'sre_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'bor_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'buy_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'bre_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'extry_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'entry_info','where'=>[['warehouse','=',$input['id']]]],
['table'=>'swap_info','where'=>[['warehouse|storehouse','=',$input['id']]]],
['table'=>'deploy','where'=>[['source','like','%"warehouse":'.$input['id'].'%']]]
]);
if(empty($exist)){
//逻辑处理
$find=Db::name('warehouse')->where([['id','=',$input['id']]])->find();
Db::startTrans();
try {
Db::name('warehouse')->where([['id','=',$input['id']]])->delete();
pushLog('删除仓库[ '.$find['name'].' ]');//日志
Db::commit();
$result=['state'=>'success'];
} catch (\Exception $e) {
Db::rollback();
$result=['state'=>'error','info'=>'内部错误,操作已撤销!'];
}
}else{
$result=['state'=>'error','info'=>'存在数据关联,删除失败!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,169 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Deploy;
class Wechat extends Acl {
//微信支付
//付款码
public function pay() {
$input=input('post.');
if(existFull($input,['number','money','code'])){
//读取配置
$deploy=getFrameDeploy();
if(!empty($deploy)){
//微信支付SDK
$wxPayPath=root_path('extend/wechat');
require_once $wxPayPath."WxPay.Api.php";
require_once $wxPayPath."WxPay.Config.php";
//配置数据
$config=new \WxPayConfig;
$config->appId=$deploy['wechat']['appid'];
$config->merchantId=$deploy['wechat']['mchid'];
$config->key=$deploy['wechat']['mchkey'];
//单据数据
$order=new \WxPayMicroPay;
$order->SetBody($deploy['wechat']['title']);
$order->SetOut_trade_no($input['number']);
$money=math()->chain($input['money'])->mul(100)->done();
$order->SetTotal_fee($money);
$order->SetAuth_code($input['code']);
//发送请求
$result=\WxPayApi::micropay($config,$order);
if($result['return_code']=='SUCCESS'){
//判断支付状态
if($result['result_code']=='SUCCESS'){
//支付成功
$result=['state'=>'success','info'=>$result['transaction_id']];
}else{
//支付失败
if(in_array($result['err_code'],['SYSTEMERROR','BANKERROR','USERPAYING'])){
//返回等待信息
$result=['state'=>'wait','info'=>'等待操作...'];
}else{
//确认失败,返回错误信息
$result=['state'=>'wrong','info'=>$result['err_code_des']];
}
}
}else{
$result=['state'=>'wrong','info'=>$result['return_msg']];
}
}else{
$result=['state'=>'error','info'=>'支付参数不完整!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//查询单据
public function query(){
$input=input('post.');
if(existFull($input,['number'])){
//读取配置
$deploy=getFrameDeploy();
if(!empty($deploy)){
//微信支付SDK
$wxPayPath=root_path('extend/wechat');
require_once $wxPayPath."WxPay.Api.php";
require_once $wxPayPath."WxPay.Config.php";
//配置数据
$config=new \WxPayConfig;
$config->appId=$deploy['wechat']['appid'];
$config->merchantId=$deploy['wechat']['mchid'];
$config->key=$deploy['wechat']['mchkey'];
//单据数据
$order=new \WxPayOrderQuery;
$order->SetOut_trade_no($input['number']);
//发送请求
$result=\WxPayApi::orderQuery($config,$order);
if($result['return_code']=='SUCCESS'){
//判断查询状态
if($result['result_code']=='SUCCESS'){
//查询成功
if($result['trade_state']=='SUCCESS'){
//支付成功
$result=['state'=>'success','info'=>$result['transaction_id']];
}elseif($result['trade_state']=='USERPAYING'){
//用户支付中,返回等待信息
$result=['state'=>'wait','info'=>'等待操作...'];
}else{
//其他状态,返回数据
$result=['state'=>'wrong','info'=>$result['trade_state_desc']];
}
}else{
//查询失败
if($result['err_code']=='SYSTEMERROR'){
//返回等待信息
$result=['state'=>'wait','info'=>'等待操作...'];
}else{
//返回查询错误信息
$result=['state'=>'wrong','info'=>$result['err_code_des']];
}
}
}else{
$result=['state'=>'wrong','info'=>$result['return_msg']];
}
}else{
$result=['state'=>'error','info'=>'支付参数不完整!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//撤销单据
//支付成功退款|未支付关闭单据
public function cancel(){
$input=input('post.');
if(existFull($input,['number'])){
//读取配置
$deploy=getFrameDeploy();
if(!empty($deploy)){
//微信支付SDK
$wxPayPath=root_path('extend/wechat');
require_once $wxPayPath."WxPay.Api.php";
require_once $wxPayPath."WxPay.Config.php";
$sslCert = tmpfile();
fwrite($sslCert,$deploy['wechat']['certText']);
$sslKey = tmpfile();
fwrite($sslKey,$deploy['wechat']['keyText']);
//配置数据
$config=new \WxPayConfig;
$config->appId=$deploy['wechat']['appid'];
$config->merchantId=$deploy['wechat']['mchid'];
$config->key=$deploy['wechat']['mchkey'];
$config->sslCertPath=stream_get_meta_data($sslCert)['uri'];
$config->sslKeyPath=stream_get_meta_data($sslKey)['uri'];
//单据数据
$order=new \WxPayReverse;
$order->SetOut_trade_no($input['number']);
//发送请求
$result=\WxPayApi::reverse($config,$order);
if($result['return_code']=='SUCCESS'){
//判断查询状态
if($result['result_code']=='SUCCESS'){
//撤销成功
$result=['state'=>'success','info'=>'撤销单据成功!'];
}else{
//查询失败
if(in_array($result['err_code'],['SYSTEMERROR','USERPAYING'])){
//等待信息
$result=['state'=>'wait','info'=>'等待操作...'];
}else{
//返回查询错误信息
$result=['state'=>'wrong','info'=>$result['err_code_des']];
}
}
}else{
$result=['state'=>'wrong','info'=>$result['return_msg']];
}
}else{
$result=['state'=>'error','info'=>'支付参数不完整!'];
}
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
}

View File

@ -0,0 +1,641 @@
<?php
namespace app\controller;
use app\controller\Acl;
use app\model\Summary;
use think\facade\{Db,Filesystem};
use think\exception\ValidateException;
class Wrf extends Acl{
//商品库存余额表
public function wbs(){
$input=input('post.');
if(existFull($input,['page','limit']) && isset($input['warehouse']) && is_array($input['warehouse'])){
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->order(['id'=>'desc'])->select()->toArray();
//构造表头
$column=[];
foreach ($warehouse as $vo) {
$column[]=['id'=>$vo['id'],'name'=>$vo['name'],'uct'=>'uct_'.$vo['id'],'uns'=>'uns_'.$vo['id'],'bct'=>'bct_'.$vo['id']];
}
//匹配数据
$sql=fastSql($input,[
['warehouse','fullIn'],
['time','endTime']
]);
$sql=sqlAuth('summary',$sql);
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['goods','in',$goods];
}
$count=Summary::where($sql)->group(['goods'])->count();
$info=Summary::with(['goodsData'])->where($sql)->group(['goods'])->page($input['page'],$input['limit'])->order(['goods'])->select()->toArray();
foreach ($info as $key=>$vo) {
//查询条件
$where=fastSql($input,[['time','endTime']]);
$where[]=['goods','=',$vo['goods']];
//单位数据
$info[$key]['unit']=$vo['goodsData']['unit']==-1?'多单位':$vo['goodsData']['unit'];
//分仓数据
$info[$key]['uns']=0;
foreach ($column as $v) {
$wb=Db::name('summary')->where(array_merge($where,[['warehouse','=',$v['id']]]))->order(['id'=>'DESC'])->find();
$wb=empty($wb)?['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]]:['exist'=>json_decode($wb['exist']),'balance'=>json_decode($wb['balance'])];
if(empty($wb['exist'][1]) && empty($wb['balance'][1])){
$info[$key]['wb_'.$v['id']]=['uct'=>'','uns'=>'','bct'=>''];
}else{
$info[$key]['wb_'.$v['id']]=[
'uct'=>empty($wb['exist'][1])?0:math()->chain($wb['balance'][1])->div($wb['exist'][1])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($wb['exist'][1],$vo['goodsData']['units']):$wb['exist'][1],
'bct'=>$wb['balance'][1]
];
}
if(!empty($info[$key]['wb_'.$v['id']]['uns']) && $vo['goodsData']['unit'] != -1){
$info[$key]['uns']+=$info[$key]['wb_'.$v['id']]['uns'];
}elseif(!empty($info[$key]['wb_'.$v['id']]['uns']) && $vo['goodsData']['unit'] == -1){
$info[$key]['uns']+-$wb['exist'][1];
}
}
//汇总数据
$balance=Db::name('summary')->where($where)->order(['id'=>'DESC'])->find();
$balance=['exist'=>json_decode($balance['exist']),'balance'=>json_decode($balance['balance'])];
$info[$key]['balance']=[];
$info[$key]['balance']['uct']=empty($balance['exist'][0])?0:math()->chain($balance['balance'][0])->div($balance['exist'][0])->round(2)->done();
$info[$key]['balance']['uns']=$vo['goodsData']['unit']==-1?unitSwitch($info[$key]['uns'],$vo['goodsData']['units']):$info[$key]['uns'];
$info[$key]['balance']['bct']=math()->chain($info[$key]['balance']['uct'])->mul($info[$key]['balance']['uns'])->round(2)->done();
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$info,
'column'=>$column
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//商品库存余额表-导出
public function wbsExports(){
$input=input('get.');
existFull($input,['warehouse'])||$input['warehouse']=[];
if(isset($input['warehouse']) && is_array($input['warehouse'])){
//匹配仓库
$warehouse = Db::name('warehouse')->where(empty($input['warehouse'])?sqlAuth('warehouse',[]):[['id','in',$input['warehouse']]])->order(['id'=>'desc'])->select()->toArray();
//构造表头
$column=[];
foreach ($warehouse as $vo) {
$column[]=['id'=>$vo['id'],'name'=>$vo['name'],'uct'=>'uct_'.$vo['id'],'uns'=>'uns_'.$vo['id'],'bct'=>'bct_'.$vo['id']];
}
//匹配数据
$sql=fastSql($input,[
['warehouse','fullIn'],
['time','endTime']
]);
$sql=sqlAuth('summary',$sql);
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['goods','in',$goods];
}
$count=Summary::where($sql)->group(['goods'])->count();
$info=Summary::with(['goodsData'])->where($sql)->group(['goods'])->order(['goods'])->select()->toArray();
foreach ($info as $key=>$vo) {
//查询条件
$where=fastSql($input,[['time','endTime']]);
$where[]=['goods','=',$vo['goods']];
//单位数据
$info[$key]['unit']=$vo['goodsData']['unit']==-1?'多单位':$vo['goodsData']['unit'];
//分仓数据
foreach ($column as $v) {
$wb=Db::name('summary')->where(array_merge($where,[['warehouse','=',$v['id']]]))->order(['id'=>'DESC'])->find();
$wb=empty($wb)?['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]]:['exist'=>json_decode($wb['exist']),'balance'=>json_decode($wb['balance'])];
if(empty($wb['exist'][1]) && empty($wb['balance'][1])){
$info[$key]['wb_'.$v['id']]=['uct'=>'','uns'=>'','bct'=>''];
}else{
$info[$key]['wb_'.$v['id']]=[
'uct'=>empty($wb['exist'][1])?0:math()->chain($wb['balance'][1])->div($wb['exist'][1])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($wb['exist'][1],$vo['goodsData']['units']):$wb['exist'][1],
'bct'=>$wb['balance'][1]
];
}
}
//汇总数据
$balance=Db::name('summary')->where($where)->order(['id'=>'DESC'])->find();
$balance=['exist'=>json_decode($balance['exist']),'balance'=>json_decode($balance['balance'])];
$info[$key]['balance']=[
'uct'=>empty($balance['exist'][0])?0:math()->chain($balance['balance'][0])->div($balance['exist'][0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($balance['exist'][0],$vo['goodsData']['units']):$balance['exist'][0],
'bct'=>$balance['balance'][0]
];
}
$source=$info;
$columns=[];
foreach ($column as $v) {
$columns['wb_'.$v['id'].'|uct']=$v['name'].'成本';
$columns['wb_'.$v['id'].'|uns']=$v['name'].'数量';
$columns['wb_'.$v['id'].'|bct']=$v['name'].'总成本';
}
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'商品库存余额表'];
//表格数据
$field=array_merge(
[
'goodsData|name'=>'商品名称',
'unit'=>'单位'
],
$columns,
[
'balance|uct'=>'汇总成本',
'balance|uns'=>'汇总数量',
'balance|bct'=>'汇总总成本'
]
);
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
]];
//导出execl
buildExcel('商品库存余额表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//商品收发明细表
public function wds(){
$input=input('post.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['mold'])||$input['mold']=$sheet;
if(existFull($input,['page','limit']) && is_arrays($input,['warehouse','mold']) && arrayInArray($input['mold'],$sheet)){
$sql=fastSql($input,[
['warehouse','fullIn'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['mold'=>'type'],'fullIn']
]);
$sql=sqlAuth('summary',$sql);
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['goods','in',$goods];
}
//子查询
$existsSql=[['id','=',Db::raw('summary.class')]];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['mold'])){
$union[]=Db::name($v)->where([['summary.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$count=Summary::alias('summary')->where($sql)->whereExists($union)->count();
$source=Summary::with(['sourceData'=>['frameData'],'goodsData','warehouseData'])->alias('summary')->where($sql)->whereExists($union)->page($input['page'],$input['limit'])->order(['goods','id'])->append(['extension'])->select()->toArray();
//匹配往来单位
$currentList=['customer'=>[],'supplier'=>[]];
//匹配客戶
foreach (search($source)->where([['type','in',['sell','sre','extry']]])->select() as $item) {
$currentList['customer'][]=$item['sourceData']['customer'];
}
empty($currentList['customer'])||$currentList['customer']=Db::name('customer')->where([['id','in',array_unique($currentList['customer'])]])->select()->toArray();
//匹配供应商
foreach (search($source)->where([['type','in',['buy','bre','entry']]])->select() as $item) {
$currentList['supplier'][]=$item['sourceData']['supplier'];
}
empty($currentList['supplier'])||$currentList['supplier']=Db::name('supplier')->where([['id','in',array_unique($currentList['supplier'])]])->select()->toArray();
$data=[];
$cur=0;
foreach ($source as $vo) {
if($cur!=$vo['goods']){
$state=Db::name('summary')->where([['id','<',$vo['id']],['goods','=',$vo['goods']],['warehouse','=',$vo['warehouse']]])->order(['id'=>'DESC'])->find();
$state=empty($state)?['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]]:['exist'=>json_decode($state['exist']),'balance'=>json_decode($state['balance'])];
$data[]=[
'extension'=>['type'=>'期初余额'],
'goodsData'=>['name'=>$vo['goodsData']['name']],
'balance'=>[
'uct'=>empty($state['exist'][0])?0:math()->chain($state['balance'][0])->div($state['exist'][0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($state['exist'][0],$vo['goodsData']['units']):$state['exist'][0],
'bct'=>$state['balance'][0]
]
];
$cur=$vo['goods'];
}
$row=$vo;
//往来单位
if(in_array($vo['type'],['buy','bre','entry'])){
$row['current']=search($currentList['supplier'])->where([['id','=',$vo['sourceData']['supplier']]])->find();
}else if(in_array($vo['type'],['sell','sre','extry'])){
$row['current']=search($currentList['customer'])->where([['id','=',$vo['sourceData']['customer']]])->find();
}else{
$row['current']=[];
}
$row['unit']=$vo['goodsData']['unit']==-1?'多单位':$vo['goodsData']['unit'];
//出入方向
$uns=$vo['goodsData']['unit']==-1?unitSwitch($vo['nums'],$vo['goodsData']['units']):$vo['nums'];
if(empty($vo['direction'])){
//出库
$row['in']=['uct'=>'','uns'=>'','bct'=>''];
$row['out']=['uct'=>$vo['uct'],'uns'=>$uns,'bct'=>$vo['bct']];
}else{
//入库
$row['in']=['uct'=>$vo['uct'],'uns'=>$uns,'bct'=>$vo['bct']];
$row['out']=['uct'=>'','uns'=>'','bct'=>''];
}
//汇总
$exist=json_decode($vo['exist']);
$balance=json_decode($vo['balance']);
$row['balance']=[
'uct'=>empty($exist[0])?0:math()->chain($balance[0])->div($exist[0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($exist[0],$vo['goodsData']['units']):$exist[0],
'bct'=>$balance[0]
];
$data[]=$row;
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//商品收发明细表-导出
public function wdsExports(){
$input=input('get.');
$sheet=['buy','bre','sell','sre','swapOut','swapEnter','entry','extry'];
existFull($input,['warehouse'])||$input['warehouse']=[];
existFull($input,['mold'])||$input['mold']=$sheet;
if(is_arrays($input,['warehouse','mold']) && arrayInArray($input['mold'],$sheet)){
$sql=fastSql($input,[
['warehouse','fullIn'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime'],
[['mold'=>'type'],'fullIn']
]);
$sql=sqlAuth('summary',$sql);
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['goods','in',$goods];
}
//子查询
$existsSql=[['id','=',Db::raw('summary.class')]];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
//匹配类型|减少查询
if(in_array($k,$input['mold'])){
$union[]=Db::name($v)->where([['summary.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$source=Summary::with(['sourceData'=>['frameData'],'goodsData','warehouseData'])->alias('summary')->where($sql)->whereExists($union)->order(['goods','id'])->append(['extension'])->select()->toArray();
//匹配往来单位
$currentList=['customer'=>[],'supplier'=>[]];
//匹配客戶
foreach (search($source)->where([['type','in',['sell','sre','extry']]])->select() as $item) {
$currentList['customer'][]=$item['sourceData']['customer'];
}
empty($currentList['customer'])||$currentList['customer']=Db::name('customer')->where([['id','in',array_unique($currentList['customer'])]])->select()->toArray();
//匹配供应商
foreach (search($source)->where([['type','in',['buy','bre','entry']]])->select() as $item) {
$currentList['supplier'][]=$item['sourceData']['supplier'];
}
empty($currentList['supplier'])||$currentList['supplier']=Db::name('supplier')->where([['id','in',array_unique($currentList['supplier'])]])->select()->toArray();
$data=[];
$cur=0;
foreach ($source as $vo) {
if($cur!=$vo['goods']){
$state=Db::name('summary')->where([['id','<',$vo['id']],['goods','=',$vo['goods']]])->order(['id'=>'DESC'])->find();
$state=empty($state)?['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]]:['exist'=>json_decode($state['exist']),'balance'=>json_decode($state['balance'])];
$data[]=[
'extension'=>['type'=>'期初余额'],
'goodsData'=>['name'=>$vo['goodsData']['name']],
'balance'=>[
'uct'=>empty($state['exist'][0])?0:math()->chain($state['balance'][0])->div($state['exist'][0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($state['exist'][0],$vo['goodsData']['units']):$state['exist'][0],
'bct'=>$state['balance'][0]
]
];
$cur=$vo['goods'];
}
$row=$vo;
//往来单位
if(in_array($vo['type'],['buy','bre','entry'])){
$row['current']=search($currentList['supplier'])->where([['id','=',$vo['sourceData']['supplier']]])->find();
}else if(in_array($vo['type'],['sell','sre','extry'])){
$row['current']=search($currentList['customer'])->where([['id','=',$vo['sourceData']['customer']]])->find();
}else{
$row['current']=[];
}
$row['unit']=$vo['goodsData']['unit']==-1?'多单位':$vo['goodsData']['unit'];
//出入方向
$uns=$vo['goodsData']['unit']==-1?unitSwitch($vo['nums'],$vo['goodsData']['units']):$vo['nums'];
if(empty($vo['direction'])){
//出库
$row['in']=['uct'=>'','uns'=>'','bct'=>''];
$row['out']=['uct'=>$vo['uct'],'uns'=>$uns,'bct'=>$vo['bct']];
}else{
//入库
$row['in']=['uct'=>$vo['uct'],'uns'=>$uns,'bct'=>$vo['bct']];
$row['out']=['uct'=>'','uns'=>'','bct'=>''];
}
//汇总
$exist=json_decode($vo['exist']);
$balance=json_decode($vo['balance']);
$row['balance']=[
'uct'=>empty($exist[0])?0:math()->chain($balance[0])->div($exist[0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($exist[0],$vo['goodsData']['units']):$exist[0],
'bct'=>$balance[0]
];
$data[]=$row;
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'商品收发明细表'];
//表格数据
$field=[
'extension|type'=>'单据类型',
'sourceData|frameData|name'=>'所属组织',
'current|name'=>'往来单位',
'sourceData|time'=>'单据时间',
'sourceData|number'=>'单据编号',
'goodsData|name'=>'商品名称',
'attr'=>'辅助属性',
'warehouseData|name'=>'仓库',
'unit'=>'单位',
'in|uct'=>'入库成本',
'in|uns'=>'入库数量',
'in|bct'=>'入库总成本',
'out|uct'=>'出库成本',
'out|uns'=>'出库数量',
'out|bct'=>'出库总成本',
'balance|uct'=>'汇总成本',
'balance|uns'=>'汇总数量',
'balance|bct'=>'汇总总成本'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//导出execl
buildExcel('商品收发明细表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
//商品收发汇总表
public function wss(){
$input=input('post.');
if(existFull($input,['page','limit']) && is_array($input['warehouse'])){
$sql=fastSql($input,[
['warehouse','fullIn'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql=sqlAuth('summary',$sql);
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['goods','in',$goods];
}
//子查询
$existsSql=[['id','=',Db::raw('summary.class')]];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
$union[]=Db::name($v)->where([['summary.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$record=Db::name('summary')->alias('summary')->where($sql)->whereExists($union)->order(['id'])->select()->toArray();
//分页数据
$count=Summary::where([['id','in',array_column($record,'id')]])->group(['goods','warehouse'])->count();
$data=Summary::with(['goodsData','warehouseData'])->where([['id','in',array_column($record,'id')]])->group(['goods','warehouse'])->page($input['page'],$input['limit'])->order(['goods'])->select()->toArray();
foreach ($data as $key=>$vo) {
$data[$key]['unit']=$vo['goodsData']['unit']==-1?'多单位':$vo['goodsData']['unit'];
//期初
$scope=search($record)->where([['goods','=',$vo['goods']]])->select();
$state=Db::name('summary')->where([['id','<',$scope[0]['id']],['goods','=',$vo['goods']]])->order(['id'=>'DESC'])->find();
$state=empty($state)?['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]]:['exist'=>json_decode($state['exist']),'balance'=>json_decode($state['balance'])];
$data[$key]['state']=[
'uct'=>empty($state['exist'][0])?0:math()->chain($state['balance'][0])->div($state['exist'][0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($state['exist'][0],$vo['goodsData']['units']):$state['exist'][0],
'bct'=>$state['balance'][0]
];
$list=search($scope)->where([['goods','=',$vo['goods']],['warehouse','=',$vo['warehouse']]])->select();
foreach ($table as $t=>$m) {
$group=search($list)->where([['type','=',$t]])->select();
if(empty($group)){
$data[$key][$t]=['uct'=>'','uns'=>'','bct'=>''];
}else{
$uns=0;
$bct=0;
foreach ($group as $v) {
$uns=math()->chain($uns)->add($v['nums'])->done();
$bct=math()->chain($bct)->add($v['bct'])->done();
}
$data[$key][$t]=[
'uct'=>math()->chain($bct)->div($uns)->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($uns,$vo['goodsData']['units']):$uns,
'bct'=>$bct
];
}
}
//汇总
$balance=$scope[count($scope)-1];
$balance=['exist'=>json_decode($balance['exist']),'balance'=>json_decode($balance['balance'])];
$sum=Db::name('summary')->where([['goods','=',$vo['goods']],['warehouse','=',$vo['warehouse']]])->order(['id'=>'desc'])->find();
$data[$key]['balance']=[];
$data[$key]['balance']['uct']=empty($balance['exist'][0])?0:math()->chain($balance['balance'][0])->div($balance['exist'][0])->round(2)->done();
$data[$key]['balance']['uns']=$vo['goodsData']['unit']==-1?unitSwitch(json_decode($sum['exist'])[1],$vo['goodsData']['units']):json_decode($sum['exist'])[1];
$data[$key]['balance']['bct']=math()->chain($data[$key]['balance']['uct'])->mul($data[$key]['balance']['uns'])->round(2)->done();
}
$result=[
'state'=>'success',
'count'=>$count,
'info'=>$data
];//返回数据
}else{
$result=['state'=>'error','info'=>'传入参数不完整!'];
}
return json($result);
}
//商品收发汇总表-导出
public function wssExports(){
$input=input('get.');
existFull($input,['warehouse'])||$input['warehouse']=[];
if(is_array($input['warehouse'])){
$sql=fastSql($input,[
['warehouse','fullIn'],
[['startTime'=>'time'],'startTime'],
[['endTime'=>'time'],'endTime']
]);
$sql=sqlAuth('summary',$sql);
//商品信息扩展查询
if(existFull($input,['goods'])){
$goods=array_column(Db::name('goods')->where([['name|py','like','%'.$input['goods'].'%']])->select()->toArray(),'id');
$sql[]=['goods','in',$goods];
}
//子查询
$existsSql=[['id','=',Db::raw('summary.class')]];
$existsSql=frameScope($existsSql);
//多源匹配
$union=[];
//数据关系表
$table=['buy'=>'buy','bre'=>'bre','sell'=>'sell','sre'=>'sre','swapOut'=>'swap','swapEnter'=>'swap','entry'=>'entry','extry'=>'extry'];
foreach ($table as $k=>$v) {
$union[]=Db::name($v)->where([['summary.type','=',$k]])->where(array_merge($existsSql,sqlAuth($v,[])))->limit(1)->buildSql();
}
//合并子查询
$union=implode(' UNION ALL ',$union);
$record=Db::name('summary')->alias('summary')->where($sql)->whereExists($union)->order(['id'])->select()->toArray();
//分页数据
$count=Summary::where([['id','in',array_column($record,'id')]])->group(['goods','warehouse'])->count();
$data=Summary::with(['goodsData','warehouseData'])->where([['id','in',array_column($record,'id')]])->group(['goods','warehouse'])->order(['goods'])->select()->toArray();
foreach ($data as $key=>$vo) {
$data[$key]['unit']=$vo['goodsData']['unit']==-1?'多单位':$vo['goodsData']['unit'];
//期初
$scope=search($record)->where([['goods','=',$vo['goods']]])->select();
$state=Db::name('summary')->where([['id','<',$scope[0]['id']],['goods','=',$vo['goods']]])->order(['id'=>'DESC'])->find();
$state=empty($state)?['exist'=>[0,0,0,0],'balance'=>[0,0,0,0]]:['exist'=>json_decode($state['exist']),'balance'=>json_decode($state['balance'])];
$data[$key]['state']=[
'uct'=>empty($state['exist'][0])?0:math()->chain($state['balance'][0])->div($state['exist'][0])->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($state['exist'][0],$vo['goodsData']['units']):$state['exist'][0],
'bct'=>$state['balance'][0]
];
$list=search($scope)->where([['goods','=',$vo['goods']],['warehouse','=',$vo['warehouse']]])->select();
foreach ($table as $t=>$m) {
$group=search($list)->where([['type','=',$t]])->select();
if(empty($group)){
$data[$key][$t]=['uct'=>'','uns'=>'','bct'=>''];
}else{
$uns=0;
$bct=0;
foreach ($group as $v) {
$uns=math()->chain($uns)->add($v['nums'])->done();
$bct=math()->chain($bct)->add($v['bct'])->done();
}
$data[$key][$t]=[
'uct'=>math()->chain($bct)->div($uns)->round(2)->done(),
'uns'=>$vo['goodsData']['unit']==-1?unitSwitch($uns,$vo['goodsData']['units']):$uns,
'bct'=>$bct
];
}
}
//汇总
$balance=$scope[count($scope)-1];
$balance=['exist'=>json_decode($balance['exist']),'balance'=>json_decode($balance['balance'])];
$sum=Db::name('summary')->where([['goods','=',$vo['goods']],['warehouse','=',$vo['warehouse']]])->order(['id'=>'desc'])->find();
$data[$key]['balance']=[];
$data[$key]['balance']['uct']=empty($balance['exist'][0])?0:math()->chain($balance['balance'][0])->div($balance['exist'][0])->round(2)->done();
$data[$key]['balance']['uns']=$vo['goodsData']['unit']==-1?unitSwitch(json_decode($sum['exist'])[1],$vo['goodsData']['units']):json_decode($sum['exist'])[1];
$data[$key]['balance']['bct']=math()->chain($data[$key]['balance']['uct'])->mul($data[$key]['balance']['uns'])->round(2)->done();
}
$source=$data;
//开始构造导出数据
$excel=[];//初始化导出数据
//标题数据
$excel[]=['type'=>'title','info'=>'商品收发汇总表'];
//表格数据
$field=[
'goodsData|name'=>'商品名称',
'warehouseData|name'=>'仓库',
'unit'=>'单位',
'state|uct'=>'期初成本',
'state|uns'=>'期初数量',
'state|bct'=>'期初成本',
'buy|uct'=>'采购成本',
'buy|uns'=>'采购数量',
'buy|bct'=>'采购总成本',
'bre|uct'=>'购退成本',
'bre|uns'=>'购退数量',
'bre|bct'=>'购退总成本',
'sell|uct'=>'销售成本',
'sell|uns'=>'销售数量',
'sell|bct'=>'销售总成本',
'sre|uct'=>'销退成本',
'sre|uns'=>'销退数量',
'sre|bct'=>'销退总成本',
'swapOut|uct'=>'调出成本',
'swapOut|uns'=>'调出数量',
'swapOut|bct'=>'调出总成本',
'swapEnter|uct'=>'调入成本',
'swapEnter|uns'=>'调入数量',
'swapEnter|bct'=>'调入总成本',
'entry|uct'=>'其入成本',
'entry|uns'=>'其入数量',
'entry|bct'=>'其入总成本',
'extry|uct'=>'其出成本',
'extry|uns'=>'其出数量',
'extry|bct'=>'其出总成本',
'balance|uct'=>'汇总成本',
'balance|uns'=>'汇总数量',
'balance|bct'=>'汇总总成本'
];
$thead=array_values($field);//表格标题
$tbody=[];//表格内容
//构造表内数据
foreach ($source as $sourceVo) {
$rowData=[];
foreach (array_keys($field) as $fieldVo) {
$rowData[]=arraySeek($sourceVo,$fieldVo);//多键名数据赋值
}
$tbody[]=$rowData;//加入行数据
}
$excel[]=['type'=>'table','info'=>['thead'=>$thead,'tbody'=>$tbody]];//表格数据
//汇总数据
$excel[]=['type'=>'node','info'=>[
'总数:'.count($source),
]];
//导出execl
buildExcel('商品收发汇总表',$excel);
}else{
return json(['state'=>'error','info'=>'传入参数不完整!']);
}
}
}

17
serve/app/event.php Normal file
View File

@ -0,0 +1,17 @@
<?php
// 事件定义文件
return [
'bind' => [
],
'listen' => [
'AppInit' => [],
'HttpRun' => [],
'HttpEnd' => [],
'LogLevel' => [],
'LogWrite' => [],
],
'subscribe' => [
],
];

5
serve/app/middleware.php Normal file
View File

@ -0,0 +1,5 @@
<?php
// 全局中间件定义文件
return [
'app\middleware\Cors'
];

View File

@ -0,0 +1,13 @@
<?php
namespace app\middleware;
class Cors{
//中间件跨域配置
public function handle($request, \Closure $next){
$origin=isset($_SERVER['HTTP_ORIGIN'])?$_SERVER['HTTP_ORIGIN']:$request->domain();
header('Access-Control-Allow-Origin:'.$origin);
header('access-control-allow-credentials:true');
header('access-control-allow-methods:GET,POST,OPTIONS');
header('access-control-allow-headers:Accept,X-PINGARUNER,CONTENT-TYPE,X-Requested-With,Token');
return $request->isOptions()?response('Hello NodCloud',200):$next($request);
}
}

View File

@ -0,0 +1,34 @@
<?php
namespace app\model;
use think\Model;
class Account extends Model{
//资金账户
//数据类型转换
protected $type = [
'time'=>'timestamp:Y-m-d',
];
//组织属性关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//期初余额_读取器
public function getInitialAttr($val,$data){
return floatval($val);
}
//账户余额_读取器
public function getBalanceAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//实际余额
$source['money']=math()->chain($data['balance'])->add($data['initial'])->done();
return $source;
}
}

View File

@ -0,0 +1,42 @@
<?php
namespace app\model;
use think\Model;
class AccountInfo extends Model{
//資金记录
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//单据关联
public function sourceData(){
return $this->morphTo(['type','class'],[
'buy'=>Buy::class,
'bre'=>Bre::class,
'sell'=>Sell::class,
'sre'=>Sre::class,
'vend'=>Vend::class,
'vre'=>Vre::class,
'imy'=>Imy::class,
'omy'=>Omy::class,
'allotOut'=>Allot::class,
'allotEnter'=>Allot::class,
'ice'=>Ice::class,
'oce'=>Oce::class,
]);
}
//金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=['buy'=>'采购单', 'bre'=>'采购退货单', 'sell'=>'销售单', 'sre'=>'销售退货单', 'vend'=>'零售单', 'vre'=>'零售退货单', 'imy'=>'收款单', 'omy'=>'付款单', 'allotOut'=>'转账单-出', 'allotEnter'=>'转账单-入', 'ice'=>'其它收入单', 'oce'=>'其它支出单'][$data['type']];
//操作类型
$source['direction']=["减少","增加"][$data['direction']];
return $source;
}
}

73
serve/app/model/Allot.php Normal file
View File

@ -0,0 +1,73 @@
<?php
namespace app\model;
use think\Model;
class Allot extends Model{
//转账单
protected $type = [
'time'=>'timestamp:Y-m-d',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','allot']])->append(['extension'])->order('id desc');
}
//单据金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,42 @@
<?php
namespace app\model;
use think\Model;
class AllotInfo extends Model{
//转账单详情
//转出账户关联
public function accountData(){
return $this->hasOne(Account::class,'id','account');
}
//转入账户关联
public function tatData(){
return $this->hasOne(Account::class,'id','tat');
}
//转出账户_设置器
public function setAccountAttr($val,$data){
return empty($val)?0:$val;
}
//转出账户_读取器
public function getAccountAttr($val,$data){
return empty($val)?null:$val;
}
//转入账户_设置器
public function setTatAttr($val,$data){
return empty($val)?0:$val;
}
//转入账户_读取器
public function getTatAttr($val,$data){
return empty($val)?null:$val;
}
//结算金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
}

21
serve/app/model/Attr.php Normal file
View File

@ -0,0 +1,21 @@
<?php
namespace app\model;
use think\Model;
class Attr extends Model{
//辅助属性[商品]
//采购价格_读取器
public function getBuyAttr($val,$data){
return floatval($val);
}
//销售价格_读取器
public function getSellAttr($val,$data){
return floatval($val);
}
//零售价格_读取器
public function getRetailAttr($val,$data){
return floatval($val);
}
}

View File

@ -0,0 +1,11 @@
<?php
namespace app\model;
use think\Model;
class Attribute extends Model{
//辅助属性
//子属性
public function info(){
return $this->hasMany(AttributeInfo::class,'pid','id')->visible(['name']);
}
}

View File

@ -0,0 +1,7 @@
<?php
namespace app\model;
use think\Model;
class AttributeInfo extends Model{
}

15
serve/app/model/Batch.php Normal file
View File

@ -0,0 +1,15 @@
<?php
namespace app\model;
use think\Model;
class Batch extends Model{
//批次号
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//库存数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
}

View File

@ -0,0 +1,43 @@
<?php
namespace app\model;
use think\Model;
class BatchInfo extends Model{
//批次记录
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//单据关联
public function sourceData(){
return $this->morphTo(['type','class'],[
'buy'=>Buy::class,
'bre'=>Bre::class,
'sell'=>Sell::class,
'sre'=>Sre::class,
'vend'=>Vend::class,
'vre'=>Vre::class,
'barter'=>Barter::class,
'swapOut'=>Swap::class,
'swapEnter'=>Swap::class,
'entry'=>Entry::class,
'extry'=>Extry::class,
]);
}
//基础数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=["buy"=>"采购单","bre"=>"采购退货单","sell"=>"销售单","sre"=>"销售退货单","vend"=>"零售单","vre"=>"零售退货单","barter"=>"积分兑换单","swapOut"=>"调拨单-出","swapEnter"=>"调拨单-入","entry"=>"其它入库单","extry"=>"其它出库单"][$data['type']];
//操作类型
$source['direction']=["减少","增加"][$data['direction']];
return $source;
}
}

109
serve/app/model/Bill.php Normal file
View File

@ -0,0 +1,109 @@
<?php
namespace app\model;
use think\Model;
class Bill extends Model{
//核销单
protected $type = [
'time'=>'timestamp:Y-m-d',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//客户关联
public function customerData(){
return $this->hasOne(Customer::class,'id','customer')->append(['extension']);
}
//供应商关联
public function supplierData(){
return $this->hasOne(Supplier::class,'id','supplier')->append(['extension']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','bill']])->append(['extension'])->order('id desc');
}
//客户_设置器
public function setCustomerAttr($val){
return empty($val)?0:$val;
}
//客户_读取器
public function getCustomerAttr($val){
return empty($val)?null:$val;
}
//供应商_设置器
public function setSupplierAttr($val){
return empty($val)?0:$val;
}
//供应商_读取器
public function getSupplierAttr($val){
return empty($val)?null:$val;
}
//总核金额_读取器
public function getPmyAttr($val,$data){
return floatval($val);
}
//总销金额_读取器
public function getSmpAttr($val,$data){
return floatval($val);
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//核销类型
$source['type']=[0=>'预收冲应收',1=>'预付冲应付',2=>'应收冲应付',3=>'销退冲销售',4=>'购退冲采购'][$data['type']];
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,35 @@
<?php
namespace app\model;
use think\Model;
class BillInfo extends Model{
//核销单详情
//所属单据关联
public function sourceData(){
return $this->morphTo(['mold','source'],[
'imy' => Imy::class,
'omy' => Omy::class,
'buy' => Buy::class,
'bre' => Bre::class,
'sell' => Sell::class,
'sre' => Sre::class,
'ice' => Ice::class,
'oce' => Oce::class,
]);
}
//核销金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//核销类型
$source['bill']=['cia'=>'预收','pia'=>'预付','re'=>'应收','cw'=>'应付','sre'=>'销退','sell'=>'销售','bre'=>'购退','buy'=>'采购'][$data['bill']];
//单据类型
$source['mold']=['imy'=>'收款单','omy'=>'付款单','buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单','ice'=>'其它收入单','oce'=>'其它支出单'][$data['mold']];
return $source;
}
}

96
serve/app/model/Bor.php Normal file
View File

@ -0,0 +1,96 @@
<?php
namespace app\model;
use think\Model;
class Bor extends Model{
//采购订单
protected $type = [
'time'=>'timestamp:Y-m-d',
'arrival'=>'timestamp:Y-m-d',
'logistics'=>'json',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//供应商关联
public function supplierData(){
return $this->hasOne(Supplier::class,'id','supplier')->append(['extension']);
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','bor']])->append(['extension'])->order('id desc');
}
//单据金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//实际金额_读取器
public function getActualAttr($val,$data){
return floatval($val);
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//物流信息
$logistics=json_decode($data['logistics'],true);
if(empty($logistics['key'])){
$source['logistics']='';
}elseif($logistics['key']=='auto'){
$source['logistics']=$logistics['number'];
}else{
$source['logistics']=$logistics['name'].'|'.$logistics['number'];
}
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
//入库状态
$source['state']=[0=>'未入库',1=>'部分入库',2=>'已入库',3=>'关闭'][$data['state']];
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,72 @@
<?php
namespace app\model;
use think\Model;
class BorInfo extends Model{
//采购订单详情
//商品关联
public function goodsData(){
return $this->hasOne(Goods::class,'id','goods');
}
//仓库关联
public function warehouseData(){
return $this->hasOne(Warehouse::class,'id','warehouse');
}
//仓库_设置器
public function setWarehouseAttr($val,$data){
return empty($val)?0:$val;
}
//仓库_读取器
public function getWarehouseAttr($val,$data){
return empty($val)?null:$val;
}
//单价_读取器
public function getPriceAttr($val,$data){
return floatval($val);
}
//数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
//折扣率_读取器
public function getDiscountAttr($val,$data){
return floatval($val);
}
//折扣额_读取器
public function getDscAttr($val,$data){
return floatval($val);
}
//金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//税率_读取器
public function getTaxAttr($val,$data){
return floatval($val);
}
//税额_读取器
public function getTatAttr($val,$data){
return floatval($val);
}
//价税合计_读取器
public function getTptAttr($val,$data){
return floatval($val);
}
//入库数量_读取器
public function getHandleAttr($val,$data){
return floatval($val);
}
}

151
serve/app/model/Bre.php Normal file
View File

@ -0,0 +1,151 @@
<?php
namespace app\model;
use think\Model;
class Bre extends Model{
//采购退货单
protected $type = [
'time'=>'timestamp:Y-m-d',
'logistics'=>'json',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//供应商关联
public function supplierData(){
return $this->hasOne(Supplier::class,'id','supplier')->append(['extension']);
}
//结算账户关联
public function accountData(){
return $this->hasOne(Account::class,'id','account');
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//核销关联
public function billData(){
return $this->hasMany(BreBill::class,'pid','id')->with(['sourceData'])->visible(['sourceData'=>['id','number']])->append(['extension'])->order('id desc');
}
//费用详情关联
public function costData(){
return $this->hasMany(Cost::class,'class','id')->with(['ietData'])->where([['type','=','bre']])->append(['extension'])->order('id desc');
}
//发票关联
public function invoiceData(){
return $this->hasMany(Invoice::class,'class','id')->where([['type','=','bre']])->order('id desc');
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','bre']])->append(['extension'])->order('id desc');
}
//单据金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//实际金额_读取器
public function getActualAttr($val,$data){
return floatval($val);
}
//实付金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//单据费用_读取器
public function getCostAttr($val,$data){
return floatval($val);
}
//结算账户_设置器
public function setAccountAttr($val,$data){
return empty($val)?0:$val;
}
//结算账户_读取器
public function getAccountAttr($val,$data){
return empty($val)?null:$val;
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//物流信息
$logistics=json_decode($data['logistics'],true);
if(empty($logistics['key'])){
$source['logistics']='';
}elseif($logistics['key']=='auto'){
$source['logistics']=$logistics['number'];
}else{
$source['logistics']=$logistics['name'].'|'.$logistics['number'];
}
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
//核销状态
$source['nucleus']=[0=>'未核销',1=>'部分核销',2=>'已核销'][$data['nucleus']];
//费用状态
$source['cse']=[0=>'未结算',1=>'部分结算',2=>'已结算',3=>'无需结算'][$data['cse']];
//发票状态
$source['invoice']=[0=>'未开具',1=>'部分开具',2=>'已开具',3=>'无需开具'][$data['invoice']];
//核对状态
$source['check']=[0=>'未核对',1=>'已核对'][$data['check']];
//已核销金额
if($data['nucleus']==0){
$source['amount']=0;
}else if($data['nucleus']==1){
$source['amount']=db('bre_bill')->where([['pid','=',$data['id']]])->sum('money');
}else{
$source['amount']=floatval($data['actual']);
}
//未核销金额
$source['anwo']=math()->chain($data['actual'])->sub($source['amount'])->done();
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,31 @@
<?php
namespace app\model;
use think\Model;
class BreBill extends Model{
//采购退货单核销详情
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//结算账户关联
public function sourceData(){
return $this->morphTo(['type','source'],[
'bre' => Bre::class,
'bill' => Bill::class
]);
}
//核销金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=['bre'=>'采购退货单','bill'=>'核销单'][$data['type']];
return $source;
}
}

View File

@ -0,0 +1,88 @@
<?php
namespace app\model;
use think\Model;
class BreInfo extends Model{
//采购退货单详情
protected $type = [
'serial'=>'json'
];
//商品关联
public function goodsData(){
return $this->hasOne(Goods::class,'id','goods');
}
//仓库关联
public function warehouseData(){
return $this->hasOne(Warehouse::class,'id','warehouse');
}
//仓库_设置器
public function setWarehouseAttr($val,$data){
return empty($val)?0:$val;
}
//仓库_读取器
public function getWarehouseAttr($val,$data){
return empty($val)?null:$val;
}
//生产日期_设置器
public function setMfdAttr($val,$data){
return empty($val)?0:strtotime($val);
}
//生产日期_读取器
public function getMfdAttr($val,$data){
return empty($val)?'':date('Y-m-d',$val);
}
//单价_读取器
public function getPriceAttr($val,$data){
return floatval($val);
}
//数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
//折扣率_读取器
public function getDiscountAttr($val,$data){
return floatval($val);
}
//折扣额_读取器
public function getDscAttr($val,$data){
return floatval($val);
}
//金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//税率_读取器
public function getTaxAttr($val,$data){
return floatval($val);
}
//税额_读取器
public function getTatAttr($val,$data){
return floatval($val);
}
//价税合计_读取器
public function getTptAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//序列号
$source['serial']=implode(',',json_decode($data['serial']));
return $source;
}
}

151
serve/app/model/Buy.php Normal file
View File

@ -0,0 +1,151 @@
<?php
namespace app\model;
use think\Model;
class Buy extends Model{
//采购单
protected $type = [
'time'=>'timestamp:Y-m-d',
'logistics'=>'json',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//供应商关联
public function supplierData(){
return $this->hasOne(Supplier::class,'id','supplier')->append(['extension']);
}
//结算账户关联
public function accountData(){
return $this->hasOne(Account::class,'id','account');
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//核销关联
public function billData(){
return $this->hasMany(BuyBill::class,'pid','id')->with(['sourceData'])->visible(['sourceData'=>['id','number']])->append(['extension'])->order('id desc');
}
//费用详情关联
public function costData(){
return $this->hasMany(Cost::class,'class','id')->with(['ietData'])->where([['type','=','buy']])->append(['extension'])->order('id desc');
}
//发票关联
public function invoiceData(){
return $this->hasMany(Invoice::class,'class','id')->where([['type','=','buy']])->order('id desc');
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','buy']])->append(['extension'])->order('id desc');
}
//单据金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//实际金额_读取器
public function getActualAttr($val,$data){
return floatval($val);
}
//实付金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//单据费用_读取器
public function getCostAttr($val,$data){
return floatval($val);
}
//结算账户_设置器
public function setAccountAttr($val,$data){
return empty($val)?0:$val;
}
//结算账户_读取器
public function getAccountAttr($val,$data){
return empty($val)?null:$val;
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//物流信息
$logistics=json_decode($data['logistics'],true);
if(empty($logistics['key'])){
$source['logistics']='';
}elseif($logistics['key']=='auto'){
$source['logistics']=$logistics['number'];
}else{
$source['logistics']=$logistics['name'].'|'.$logistics['number'];
}
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
//核销状态
$source['nucleus']=[0=>'未核销',1=>'部分核销',2=>'已核销'][$data['nucleus']];
//费用状态
$source['cse']=[0=>'未结算',1=>'部分结算',2=>'已结算',3=>'无需结算'][$data['cse']];
//发票状态
$source['invoice']=[0=>'未开具',1=>'部分开具',2=>'已开具',3=>'无需开具'][$data['invoice']];
//核对状态
$source['check']=[0=>'未核对',1=>'已核对'][$data['check']];
//已核销金额
if($data['nucleus']==0){
$source['amount']=0;
}else if($data['nucleus']==1){
$source['amount']=db('buy_bill')->where([['pid','=',$data['id']]])->sum('money');
}else{
$source['amount']=floatval($data['actual']);
}
//未核销金额
$source['anwo']=math()->chain($data['actual'])->sub($source['amount'])->done();
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,31 @@
<?php
namespace app\model;
use think\Model;
class BuyBill extends Model{
//采购单核销详情
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//核销单据关联
public function sourceData(){
return $this->morphTo(['type','source'],[
'buy' => Buy::class,
'bill' => Bill::class
]);
}
//核销金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=['buy'=>'采购单','bill'=>'核销单'][$data['type']];
return $source;
}
}

View File

@ -0,0 +1,93 @@
<?php
namespace app\model;
use think\Model;
class BuyInfo extends Model{
//采购单详情
protected $type = [
'serial'=>'json'
];
//商品关联
public function goodsData(){
return $this->hasOne(Goods::class,'id','goods');
}
//仓库关联
public function warehouseData(){
return $this->hasOne(Warehouse::class,'id','warehouse');
}
//仓库_设置器
public function setWarehouseAttr($val,$data){
return empty($val)?0:$val;
}
//仓库_读取器
public function getWarehouseAttr($val,$data){
return empty($val)?null:$val;
}
//生产日期_设置器
public function setMfdAttr($val,$data){
return empty($val)?0:strtotime($val);
}
//生产日期_读取器
public function getMfdAttr($val,$data){
return empty($val)?'':date('Y-m-d',$val);
}
//单价_读取器
public function getPriceAttr($val,$data){
return floatval($val);
}
//数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
//折扣率_读取器
public function getDiscountAttr($val,$data){
return floatval($val);
}
//折扣额_读取器
public function getDscAttr($val,$data){
return floatval($val);
}
//金额_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//税率_读取器
public function getTaxAttr($val,$data){
return floatval($val);
}
//税额_读取器
public function getTatAttr($val,$data){
return floatval($val);
}
//价税合计_读取器
public function getTptAttr($val,$data){
return floatval($val);
}
//退货数量_读取器
public function getRetreatAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//序列号
$source['serial']=implode(',',json_decode($data['serial']));
return $source;
}
}

View File

@ -0,0 +1,6 @@
<?php
namespace app\model;
use think\Model;
class Category extends Model{
//商品类别
}

14
serve/app/model/Code.php Normal file
View File

@ -0,0 +1,14 @@
<?php
namespace app\model;
use think\Model;
class Code extends Model{
//条码管理
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//条码类型
$source['type']=[0=>'条形码',1=>'二维码'][$data['type']];
return $source;
}
}

52
serve/app/model/Cost.php Normal file
View File

@ -0,0 +1,52 @@
<?php
namespace app\model;
use think\Model;
class Cost extends Model{
//单据费用
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//单据关联
public function sourceData(){
return $this->morphTo(['type','class'],[
'buy' => Buy::class,
'bre' => Bre::class,
'sell' => Sell::class,
'sre' => Sre::class,
'vend' => Vend::class,
'barter' => Barter::class,
'vre' => Vre::class,
'swap' => Swap::class,
'entry' => Entry::class,
'extry' => Extry::class
]);
}
//收支关联
public function ietData(){
return $this->hasOne(Iet::class,'id','iet')->field(['id','name']);
}
//金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
//结算金额_读取器
public function getSettleAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=['buy'=>'采购单','bre'=>'采购退货单','sell'=>'销售单','sre'=>'销售退货单','vend'=>'零售单','vre'=>'零售退货单','barter'=>'积分兑换单','swap'=>'调拨单','entry'=>'其它入库单','extry'=>'其它出库单'][$data['type']];
//结算状态
$source['state']=[0=>'未结算',1=>'部分结算',2=>'已结算'][$data['state']];
return $source;
}
}

View File

@ -0,0 +1,20 @@
<?php
namespace app\model;
use think\Model;
class CostInfo extends Model{
//单据费用详情
protected $type = [
'time'=>'timestamp:Y-m-d'
];
//单据关联
public function oceData(){
return $this->hasOne(Oce::class,'id','oce');
}
//结算金额_读取器
public function getMoneyAttr($val,$data){
return floatval($val);
}
}

View File

@ -0,0 +1,55 @@
<?php
namespace app\model;
use think\Model;
class Customer extends Model{
//客户
protected $type = [
'contacts' => 'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//所属用户关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//应收款余额_读取器
public function getBalanceAttr($val,$data){
return floatval($val);
}
//客户积分_读取器
public function getIntegralAttr($val,$data){
return floatval($val);
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//主联系人
$contact=json_decode($data['contacts'],true);
if(empty($contact)){
$source['contact']='';
}else{
$find=search($contact)->where([['main','=',true]])->find();
$source['contact']=$find['name'].' | '.$find['tel'].' | '.$find['add'];
}
return $source;
}
}

View File

@ -0,0 +1,15 @@
<?php
namespace app\model;
use think\Model;
class Deploy extends Model{
//零售配置
protected $type = [
'source' => 'json'
];
//组织属性关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
}

114
serve/app/model/Entry.php Normal file
View File

@ -0,0 +1,114 @@
<?php
namespace app\model;
use think\Model;
class Entry extends Model{
//其它入库单
protected $type = [
'time'=>'timestamp:Y-m-d',
'logistics'=>'json',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//费用详情关联
public function costData(){
return $this->hasMany(Cost::class,'class','id')->with(['ietData'])->where([['type','=','entry']])->append(['extension'])->order('id desc');
}
//供应商关联
public function supplierData(){
return $this->hasOne(Supplier::class,'id','supplier')->append(['extension']);
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','entry']])->append(['extension'])->order('id desc');
}
//单据成本_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//单据费用_读取器
public function getCostAttr($val,$data){
return floatval($val);
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//供应商_设置器
public function setSupplierAttr($val){
return empty($val)?0:$val;
}
//供应商_读取器
public function getSupplierAttr($val){
return empty($val)?null:$val;
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=[0=>'其它入库单',1=>'盘盈单'][$data['type']];
//物流信息
$logistics=json_decode($data['logistics'],true);
if(empty($logistics['key'])){
$source['logistics']='';
}elseif($logistics['key']=='auto'){
$source['logistics']=$logistics['number'];
}else{
$source['logistics']=$logistics['name'].'|'.$logistics['number'];
}
//费用状态
$source['cse']=[0=>'未结算',1=>'部分结算',2=>'已结算',3=>'无需结算'][$data['cse']];
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
//核对状态
$source['check']=[0=>'未核对',1=>'已核对'][$data['check']];
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,63 @@
<?php
namespace app\model;
use think\Model;
class EntryInfo extends Model{
//其它入库单详情
protected $type = [
'serial'=>'json'
];
//商品关联
public function goodsData(){
return $this->hasOne(Goods::class,'id','goods');
}
//仓库关联
public function warehouseData(){
return $this->hasOne(Warehouse::class,'id','warehouse');
}
//仓库_设置器
public function setWarehouseAttr($val,$data){
return empty($val)?0:$val;
}
//仓库_读取器
public function getWarehouseAttr($val,$data){
return empty($val)?null:$val;
}
//生产日期_设置器
public function setMfdAttr($val,$data){
return empty($val)?0:strtotime($val);
}
//生产日期_读取器
public function getMfdAttr($val,$data){
return empty($val)?'':date('Y-m-d',$val);
}
//成本_读取器
public function getPriceAttr($val,$data){
return floatval($val);
}
//数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
//总成本_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//序列号
$source['serial']=implode(',',json_decode($data['serial']));
return $source;
}
}

114
serve/app/model/Extry.php Normal file
View File

@ -0,0 +1,114 @@
<?php
namespace app\model;
use think\Model;
class Extry extends Model{
//其它出库单
protected $type = [
'time'=>'timestamp:Y-m-d',
'logistics'=>'json',
'file'=>'json'
];
//所属组织关联
public function frameData(){
return $this->hasOne(Frame::class,'id','frame');
}
//关联人员关联
public function peopleData(){
return $this->hasOne(People::class,'id','people')->field(['id','name']);
}
//制单人关联
public function userData(){
return $this->hasOne(User::class,'id','user')->field(['id','name']);
}
//费用详情关联
public function costData(){
return $this->hasMany(Cost::class,'class','id')->with(['ietData'])->where([['type','=','extry']])->append(['extension'])->order('id desc');
}
//记录关联
public function recordData(){
return $this->hasMany(Record::class,'source','id')->with(['userData'])->where([['type','=','extry']])->append(['extension'])->order('id desc');
}
//客户关联
public function customerData(){
return $this->hasOne(Customer::class,'id','customer')->append(['extension']);
}
//单据成本_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//单据费用_读取器
public function getCostAttr($val,$data){
return floatval($val);
}
//关联人员_设置器
public function setPeopleAttr($val){
return empty($val)?0:$val;
}
//关联人员_读取器
public function getPeopleAttr($val){
return empty($val)?null:$val;
}
//客户_设置器
public function setCustomerAttr($val){
return empty($val)?0:$val;
}
//客户_读取器
public function getCustomerAttr($val){
return empty($val)?null:$val;
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//单据类型
$source['type']=[0=>'其它出库单',1=>'盘亏单'][$data['type']];
//物流信息
$logistics=json_decode($data['logistics'],true);
if(empty($logistics['key'])){
$source['logistics']='';
}elseif($logistics['key']=='auto'){
$source['logistics']=$logistics['number'];
}else{
$source['logistics']=$logistics['name'].'|'.$logistics['number'];
}
//费用状态
$source['cse']=[0=>'未结算',1=>'部分结算',2=>'已结算',3=>'无需结算'][$data['cse']];
//审核状态
$source['examine']=[0=>'未审核',1=>'已审核'][$data['examine']];
//核对状态
$source['check']=[0=>'未核对',1=>'已核对'][$data['check']];
return $source;
}
//EVENT|更新前
public static function onBeforeUpdate($model){
$source=$model::where([['id','=',$model['id']]])->find();
if(!empty($source['examine'])){
exit(json(['state'=>'error','info'=>'[ ERROR ] 单据已审核!'],200)->send());
}
}
}

View File

@ -0,0 +1,63 @@
<?php
namespace app\model;
use think\Model;
class ExtryInfo extends Model{
//其它出库单详情
protected $type = [
'serial'=>'json'
];
//商品关联
public function goodsData(){
return $this->hasOne(Goods::class,'id','goods');
}
//仓库关联
public function warehouseData(){
return $this->hasOne(Warehouse::class,'id','warehouse');
}
//仓库_设置器
public function setWarehouseAttr($val,$data){
return empty($val)?0:$val;
}
//仓库_读取器
public function getWarehouseAttr($val,$data){
return empty($val)?null:$val;
}
//生产日期_设置器
public function setMfdAttr($val,$data){
return empty($val)?0:strtotime($val);
}
//生产日期_读取器
public function getMfdAttr($val,$data){
return empty($val)?'':date('Y-m-d',$val);
}
//成本_读取器
public function getPriceAttr($val,$data){
return floatval($val);
}
//数量_读取器
public function getNumsAttr($val,$data){
return floatval($val);
}
//总成本_读取器
public function getTotalAttr($val,$data){
return floatval($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//序列号
$source['serial']=implode(',',json_decode($data['serial']));
return $source;
}
}

21
serve/app/model/Field.php Normal file
View File

@ -0,0 +1,21 @@
<?php
namespace app\model;
use think\Model;
class Field extends Model{
//表单字段
//数据类型转换
protected $type = [
'fields' => 'json'
];
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//模块标识
$source['key']=["user"=>"用户管理","people"=>"人员管理","customer"=>"客户管理","supplier"=>"供应商管理","goods"=>"商品管理","bor"=>"采购订单","buy"=>"采购单","bre"=>"采购退货单","sor"=>"销售订单","sell"=>"销售单","sre"=>"销售退货单","vend"=>"零售单","vre"=>"零售退货单","barter"=>"积分兑换单","swap"=>"调拨单","entry"=>"其它入库单","extry"=>"其它出库单","imy"=>"收款单","omy"=>"付款单","bill"=>"核销单","allot"=>"转账单","ice"=>"其它收入单","oce"=>"其它支出单"][$data['key']];
return $source;
}
}

View File

@ -0,0 +1,6 @@
<?php
namespace app\model;
use think\Model;
class Frame extends Model{
//组织机构
}

71
serve/app/model/Goods.php Normal file
View File

@ -0,0 +1,71 @@
<?php
namespace app\model;
use think\Model;
class Goods extends Model{
//商品
protected $type = [
'imgs' => 'json',
'units' => 'json',
'strategy' => 'json',
'serial' => 'boolean',
'batch' => 'boolean',
'validity' => 'boolean'
];
//商品类别关联
public function categoryData(){
return $this->hasOne(Category::class,'id','category');
}
//辅助属性关联
public function attr(){
return $this->hasMany(Attr::class,'pid','id');
}
//采购价格_读取器
public function getBuyAttr($val,$data){
return floatval($val);
}
//销售价格_读取器
public function getSellAttr($val,$data){
return floatval($val);
}
//零售价格_读取器
public function getRetailAttr($val,$data){
return floatval($val);
}
//兑换积分_读取器
public function getIntegralAttr($val,$data){
return floatval($val);
}
//库存阈值_读取器
public function getStockAttr($val,$data){
return floatval($val);
}
//扩展信息_设置器
public function setMoreAttr($val){
//兼容Api|修复PHP空对象json编码为[]
return json_encode((object)$val);
}
//扩展信息_读取器
public function getMoreAttr($val){
return json_decode($val);
}
//数据扩展
public function getExtensionAttr($val,$data){
$source=[];
//商品单位
$source['unit']=$data['unit']==-1?'多单位':$data['unit'];
//商品类型
$source['type']=[0=>'常规商品',1=>'服务商品'][$data['type']];
return $source;
}
}

Some files were not shown because too many files have changed in this diff Show More