Compare commits
12 Commits
master-tes
...
d8bcc4f4c4
| Author | SHA1 | Date | |
|---|---|---|---|
| d8bcc4f4c4 | |||
| 165689bccf | |||
| 1d350ddb68 | |||
| 0429cf62c4 | |||
| effde58a53 | |||
| 2bb589c4e5 | |||
| 9058fa29fb | |||
| dc51b63e5e | |||
| e7dfb238e3 | |||
| f4233e751e | |||
| f0d1d46457 | |||
| 3502c299d1 |
32
README.md
32
README.md
@@ -180,18 +180,42 @@ php webman migrate
|
|||||||
```
|
```
|
||||||
|
|
||||||
3. **访问地址:**
|
3. **访问地址:**
|
||||||
- 安装向导:http://localhost:1818/install/
|
- 安装向导:http://localhost:1818/install/
|
||||||
- 前台地址:http://localhost:1818/index.html/#/
|
- 前台地址:http://localhost:1818/index.html/#/
|
||||||
- 后台地址:http://localhost:1818/index.html/#/admin
|
- 后台地址:http://localhost:1818/index.html/#/admin
|
||||||
|
|
||||||
> 注意:前端通过 Vite 代理将 `/api`、`/admin`、`/install` 转发到后端 8787 端口,请勿直接访问 8787 端口的前端页面,否则可能出现 404。
|
> 注意:前端通过 Vite 代理将 `/api`、`/admin`、`/install` 转发到后端 8787 端口,请勿直接访问 8787 端口的前端页面,否则可能出现 404。
|
||||||
|
|
||||||
|
### 5.6 生产环境 Nginx(反向代理 Webman)
|
||||||
|
|
||||||
|
部署到服务器时,若使用 **Nginx** 作为站点入口,需将请求转发到本机 **Webman** 进程(默认监听端口与 `config/process.php` 中 `listen` 一致,一般为 `8787`,反代目标使用 `127.0.0.1:8787`)。
|
||||||
|
|
||||||
|
在站点 **`server { }`** 块中可增加如下写法:**先由 Nginx 根据 `root` 判断是否存在对应静态文件;不存在则转发到 Webman**(`root` 建议指向项目 `public` 目录)。
|
||||||
|
|
||||||
|
```nginx
|
||||||
|
location ^~ / {
|
||||||
|
proxy_set_header Host $http_host;
|
||||||
|
proxy_set_header X-Forwarded-For $remote_addr;
|
||||||
|
proxy_set_header X-Forwarded-Proto $scheme;
|
||||||
|
proxy_set_header X-Real-IP $remote_addr;
|
||||||
|
proxy_http_version 1.1;
|
||||||
|
proxy_set_header Connection "";
|
||||||
|
if (!-f $request_filename) {
|
||||||
|
proxy_pass http://127.0.0.1:8787;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
修改配置后执行 `nginx -t` 校验,再重载 Nginx;并确保 Webman 已启动(如 `php start.php start -d`)。
|
||||||
|
|
||||||
|
若前端与接口为**不同域名**(跨域),除反代外还需保证 **HTTPS 证书与域名一致**,以及后端 **CORS / 预检(OPTIONS)** 与前端请求头(如 `think-lang`、`server` 等)配置一致,否则浏览器会报跨域相关错误。
|
||||||
|
|
||||||
---
|
---
|
||||||
|
|
||||||
## 六、路由说明
|
## 六、路由说明
|
||||||
|
|
||||||
- **后台 API**:`/admin/{module}.{Controller}/{action}`
|
- **后台 API**:`/admin/{module}.{Controller}/{action}`
|
||||||
- 示例:`/admin/mall.Player/index` → `app\admin\controller\mall\Player::index`
|
- 示例:`/admin/mall.Player/index` → `app\admin\controller\mall\Player::index`
|
||||||
- **前台 API**:`/api/...`
|
- **前台 API**:`/api/...`
|
||||||
- **安装**:`/api/Install/...`
|
- **安装**:`/api/Install/...`
|
||||||
|
|
||||||
|
|||||||
@@ -581,6 +581,13 @@ class Crud extends Backend
|
|||||||
|
|
||||||
private function parseModelMethods($field, &$modelData): void
|
private function parseModelMethods($field, &$modelData): void
|
||||||
{
|
{
|
||||||
|
// MySQL bigint/int 时间戳字段:显式声明为 integer,避免 ThinkORM 自动时间戳写入 'now' 字符串
|
||||||
|
if (in_array($field['name'] ?? '', ['create_time', 'update_time', 'createtime', 'updatetime'], true)
|
||||||
|
&& in_array($field['type'] ?? '', ['int', 'bigint'], true)
|
||||||
|
) {
|
||||||
|
$modelData['fieldType'][$field['name']] = 'integer';
|
||||||
|
}
|
||||||
|
|
||||||
if (($field['designType'] ?? '') == 'array') {
|
if (($field['designType'] ?? '') == 'array') {
|
||||||
$modelData['fieldType'][$field['name']] = 'json';
|
$modelData['fieldType'][$field['name']] = 'json';
|
||||||
} elseif (!in_array($field['name'], ['create_time', 'update_time', 'updatetime', 'createtime'])
|
} elseif (!in_array($field['name'], ['create_time', 'update_time', 'updatetime', 'createtime'])
|
||||||
|
|||||||
70
app/admin/controller/game/Channel.php
Normal file
70
app/admin/controller/game/Channel.php
Normal file
@@ -0,0 +1,70 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\admin\controller\game;
|
||||||
|
|
||||||
|
use Throwable;
|
||||||
|
use app\common\controller\Backend;
|
||||||
|
use support\Response;
|
||||||
|
use Webman\Http\Request as WebmanRequest;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 渠道管理
|
||||||
|
*/
|
||||||
|
class Channel extends Backend
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* GameChannel模型对象
|
||||||
|
* @var object|null
|
||||||
|
* @phpstan-var \app\common\model\GameChannel|null
|
||||||
|
*/
|
||||||
|
protected ?object $model = null;
|
||||||
|
|
||||||
|
protected array|string $preExcludeFields = ['id', 'user_count', 'profit_amount', 'create_time', 'update_time'];
|
||||||
|
|
||||||
|
protected array $withJoinTable = ['adminGroup', 'admin'];
|
||||||
|
|
||||||
|
protected string|array $quickSearchField = ['id', 'code', 'name'];
|
||||||
|
|
||||||
|
protected function initController(WebmanRequest $request): ?Response
|
||||||
|
{
|
||||||
|
$this->model = new \app\common\model\GameChannel();
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 查看
|
||||||
|
* @throws Throwable
|
||||||
|
*/
|
||||||
|
protected function _index(): Response
|
||||||
|
{
|
||||||
|
// 如果是 select 则转发到 select 方法,若未重写该方法,其实还是继续执行 index
|
||||||
|
if ($this->request && $this->request->get('select')) {
|
||||||
|
return $this->select($this->request);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 1. withJoin 不可使用 alias 方法设置表别名,别名将自动使用关联模型名称(小写下划线命名规则)
|
||||||
|
* 2. 以下的别名设置了主表别名,同时便于拼接查询参数等
|
||||||
|
* 3. paginate 数据集可使用链式操作 each(function($item, $key) {}) 遍历处理
|
||||||
|
*/
|
||||||
|
list($where, $alias, $limit, $order) = $this->queryBuilder();
|
||||||
|
$res = $this->model
|
||||||
|
->withJoin($this->withJoinTable, $this->withJoinType)
|
||||||
|
->with($this->withJoinTable)
|
||||||
|
->visible(['adminGroup' => ['name'], 'admin' => ['username']])
|
||||||
|
->alias($alias)
|
||||||
|
->where($where)
|
||||||
|
->order($order)
|
||||||
|
->paginate($limit);
|
||||||
|
|
||||||
|
return $this->success('', [
|
||||||
|
'list' => $res->items(),
|
||||||
|
'total' => $res->total(),
|
||||||
|
'remark' => get_route_remark(),
|
||||||
|
]);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 若需重写查看、编辑、删除等方法,请复制 @see \app\admin\library\traits\Backend 中对应的方法至此进行重写
|
||||||
|
*/
|
||||||
|
}
|
||||||
211
app/admin/controller/game/User.php
Normal file
211
app/admin/controller/game/User.php
Normal file
@@ -0,0 +1,211 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\admin\controller\game;
|
||||||
|
|
||||||
|
use Throwable;
|
||||||
|
use app\common\controller\Backend;
|
||||||
|
use support\Response;
|
||||||
|
use Webman\Http\Request as WebmanRequest;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 用户管理
|
||||||
|
*/
|
||||||
|
class User extends Backend
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* GameUser模型对象
|
||||||
|
* @var object|null
|
||||||
|
* @phpstan-var \app\common\model\GameUser|null
|
||||||
|
*/
|
||||||
|
protected ?object $model = null;
|
||||||
|
|
||||||
|
protected array|string $preExcludeFields = ['id', 'uuid', 'create_time', 'update_time'];
|
||||||
|
|
||||||
|
protected array $withJoinTable = ['gameChannel', 'admin'];
|
||||||
|
|
||||||
|
protected string|array $quickSearchField = ['id', 'username', 'phone'];
|
||||||
|
|
||||||
|
protected function initController(WebmanRequest $request): ?Response
|
||||||
|
{
|
||||||
|
$this->model = new \app\common\model\GameUser();
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 添加(重写:password 使用 Admin 同款加密;uuid 由 username+channel_id 生成)
|
||||||
|
* @throws Throwable
|
||||||
|
*/
|
||||||
|
protected function _add(): Response
|
||||||
|
{
|
||||||
|
if ($this->request && $this->request->method() === 'POST') {
|
||||||
|
$data = $this->request->post();
|
||||||
|
if (!$data) {
|
||||||
|
return $this->error(__('Parameter %s can not be empty', ['']));
|
||||||
|
}
|
||||||
|
|
||||||
|
$data = $this->applyInputFilter($data);
|
||||||
|
$data = $this->excludeFields($data);
|
||||||
|
|
||||||
|
$password = $data['password'] ?? null;
|
||||||
|
if (!is_string($password) || trim($password) === '') {
|
||||||
|
return $this->error(__('Parameter %s can not be empty', ['password']));
|
||||||
|
}
|
||||||
|
$data['password'] = hash_password($password);
|
||||||
|
|
||||||
|
$username = $data['username'] ?? '';
|
||||||
|
$channelId = $data['channel_id'] ?? ($data['game_channel_id'] ?? null);
|
||||||
|
if (!is_string($username) || trim($username) === '' || $channelId === null || $channelId === '') {
|
||||||
|
return $this->error(__('Parameter %s can not be empty', ['username/channel_id']));
|
||||||
|
}
|
||||||
|
$data['uuid'] = md5(trim($username) . '|' . $channelId);
|
||||||
|
|
||||||
|
if ($this->dataLimit && $this->dataLimitFieldAutoFill) {
|
||||||
|
$data[$this->dataLimitField] = $this->auth->id;
|
||||||
|
}
|
||||||
|
|
||||||
|
$result = false;
|
||||||
|
$this->model->startTrans();
|
||||||
|
try {
|
||||||
|
if ($this->modelValidate) {
|
||||||
|
$validate = str_replace("\\model\\", "\\validate\\", get_class($this->model));
|
||||||
|
if (class_exists($validate)) {
|
||||||
|
$validate = new $validate();
|
||||||
|
if ($this->modelSceneValidate) {
|
||||||
|
$validate->scene('add');
|
||||||
|
}
|
||||||
|
$validate->check($data);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
$result = $this->model->save($data);
|
||||||
|
$this->model->commit();
|
||||||
|
} catch (Throwable $e) {
|
||||||
|
$this->model->rollback();
|
||||||
|
return $this->error($e->getMessage());
|
||||||
|
}
|
||||||
|
if ($result !== false) {
|
||||||
|
return $this->success(__('Added successfully'));
|
||||||
|
}
|
||||||
|
return $this->error(__('No rows were added'));
|
||||||
|
}
|
||||||
|
|
||||||
|
return $this->error(__('Parameter error'));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 编辑(重写:password 使用 Admin 同款加密;uuid 由 username+channel_id 生成)
|
||||||
|
* @throws Throwable
|
||||||
|
*/
|
||||||
|
protected function _edit(): Response
|
||||||
|
{
|
||||||
|
$pk = $this->model->getPk();
|
||||||
|
$id = $this->request ? ($this->request->post($pk) ?? $this->request->get($pk)) : null;
|
||||||
|
$row = $this->model->find($id);
|
||||||
|
if (!$row) {
|
||||||
|
return $this->error(__('Record not found'));
|
||||||
|
}
|
||||||
|
|
||||||
|
$dataLimitAdminIds = $this->getDataLimitAdminIds();
|
||||||
|
if ($dataLimitAdminIds && !in_array($row[$this->dataLimitField], $dataLimitAdminIds)) {
|
||||||
|
return $this->error(__('You have no permission'));
|
||||||
|
}
|
||||||
|
|
||||||
|
if ($this->request && $this->request->method() === 'POST') {
|
||||||
|
$data = $this->request->post();
|
||||||
|
if (!$data) {
|
||||||
|
return $this->error(__('Parameter %s can not be empty', ['']));
|
||||||
|
}
|
||||||
|
|
||||||
|
$data = $this->applyInputFilter($data);
|
||||||
|
$data = $this->excludeFields($data);
|
||||||
|
|
||||||
|
if (array_key_exists('password', $data)) {
|
||||||
|
$password = $data['password'];
|
||||||
|
if (!is_string($password) || trim($password) === '') {
|
||||||
|
unset($data['password']);
|
||||||
|
} else {
|
||||||
|
$data['password'] = hash_password($password);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
$nextUsername = array_key_exists('username', $data) ? $data['username'] : $row['username'];
|
||||||
|
$nextChannelId = null;
|
||||||
|
if (array_key_exists('channel_id', $data)) {
|
||||||
|
$nextChannelId = $data['channel_id'];
|
||||||
|
} elseif (array_key_exists('game_channel_id', $data)) {
|
||||||
|
$nextChannelId = $data['game_channel_id'];
|
||||||
|
} else {
|
||||||
|
$nextChannelId = $row['channel_id'] ?? $row['game_channel_id'] ?? null;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (is_string($nextUsername) && trim($nextUsername) !== '' && $nextChannelId !== null && $nextChannelId !== '') {
|
||||||
|
$data['uuid'] = md5(trim($nextUsername) . '|' . $nextChannelId);
|
||||||
|
}
|
||||||
|
|
||||||
|
$result = false;
|
||||||
|
$this->model->startTrans();
|
||||||
|
try {
|
||||||
|
if ($this->modelValidate) {
|
||||||
|
$validate = str_replace("\\model\\", "\\validate\\", get_class($this->model));
|
||||||
|
if (class_exists($validate)) {
|
||||||
|
$validate = new $validate();
|
||||||
|
if ($this->modelSceneValidate) {
|
||||||
|
$validate->scene('edit');
|
||||||
|
}
|
||||||
|
$data[$pk] = $row[$pk];
|
||||||
|
$validate->check($data);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
$result = $row->save($data);
|
||||||
|
$this->model->commit();
|
||||||
|
} catch (Throwable $e) {
|
||||||
|
$this->model->rollback();
|
||||||
|
return $this->error($e->getMessage());
|
||||||
|
}
|
||||||
|
if ($result !== false) {
|
||||||
|
return $this->success(__('Update successful'));
|
||||||
|
}
|
||||||
|
return $this->error(__('No rows updated'));
|
||||||
|
}
|
||||||
|
|
||||||
|
return $this->success('', [
|
||||||
|
'row' => $row
|
||||||
|
]);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 查看
|
||||||
|
* @throws Throwable
|
||||||
|
*/
|
||||||
|
protected function _index(): Response
|
||||||
|
{
|
||||||
|
// 如果是 select 则转发到 select 方法,若未重写该方法,其实还是继续执行 index
|
||||||
|
if ($this->request && $this->request->get('select')) {
|
||||||
|
return $this->select($this->request);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 1. withJoin 不可使用 alias 方法设置表别名,别名将自动使用关联模型名称(小写下划线命名规则)
|
||||||
|
* 2. 以下的别名设置了主表别名,同时便于拼接查询参数等
|
||||||
|
* 3. paginate 数据集可使用链式操作 each(function($item, $key) {}) 遍历处理
|
||||||
|
*/
|
||||||
|
list($where, $alias, $limit, $order) = $this->queryBuilder();
|
||||||
|
$res = $this->model
|
||||||
|
->withJoin($this->withJoinTable, $this->withJoinType)
|
||||||
|
->with($this->withJoinTable)
|
||||||
|
->visible(['gameChannel' => ['name'], 'admin' => ['username']])
|
||||||
|
->alias($alias)
|
||||||
|
->where($where)
|
||||||
|
->order($order)
|
||||||
|
->paginate($limit);
|
||||||
|
|
||||||
|
return $this->success('', [
|
||||||
|
'list' => $res->items(),
|
||||||
|
'total' => $res->total(),
|
||||||
|
'remark' => get_route_remark(),
|
||||||
|
]);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 若需重写查看、编辑、删除等方法,请复制 @see \app\admin\library\traits\Backend 中对应的方法至此进行重写
|
||||||
|
*/
|
||||||
|
}
|
||||||
@@ -1,149 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace app\admin\controller\mall;
|
|
||||||
|
|
||||||
use app\common\controller\Backend;
|
|
||||||
use support\Response;
|
|
||||||
use Throwable;
|
|
||||||
use Webman\Http\Request;
|
|
||||||
|
|
||||||
/**
|
|
||||||
* 积分商城用户
|
|
||||||
*/
|
|
||||||
class Player extends Backend
|
|
||||||
{
|
|
||||||
/**
|
|
||||||
* Player模型对象
|
|
||||||
* @var object|null
|
|
||||||
* @phpstan-var \app\admin\model\mall\Player|null
|
|
||||||
*/
|
|
||||||
protected ?object $model = null;
|
|
||||||
|
|
||||||
protected array|string $preExcludeFields = ['id', 'create_time', 'update_time', 'password'];
|
|
||||||
|
|
||||||
protected string|array $quickSearchField = ['id'];
|
|
||||||
|
|
||||||
/** 列表不返回密码字段 */
|
|
||||||
protected string|array $indexField = ['id', 'username', 'create_time', 'update_time', 'score'];
|
|
||||||
|
|
||||||
public function initialize(): void
|
|
||||||
{
|
|
||||||
parent::initialize();
|
|
||||||
$this->model = new \app\admin\model\mall\Player();
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* 添加(重写以支持密码加密)
|
|
||||||
*/
|
|
||||||
public function add(Request $request): Response
|
|
||||||
{
|
|
||||||
$response = $this->initializeBackend($request);
|
|
||||||
if ($response instanceof Response) {
|
|
||||||
return $response;
|
|
||||||
}
|
|
||||||
|
|
||||||
if ($request->method() !== 'POST') {
|
|
||||||
$this->error(__('Parameter error'));
|
|
||||||
}
|
|
||||||
|
|
||||||
$data = $request->post();
|
|
||||||
if (!$data) {
|
|
||||||
$this->error(__('Parameter %s can not be empty', ['']));
|
|
||||||
}
|
|
||||||
|
|
||||||
$passwd = $data['password'] ?? '';
|
|
||||||
if (empty($passwd)) {
|
|
||||||
$this->error(__('Parameter %s can not be empty', [__('Password')]));
|
|
||||||
}
|
|
||||||
|
|
||||||
$data = $this->applyInputFilter($data);
|
|
||||||
$data = $this->excludeFields($data);
|
|
||||||
|
|
||||||
$result = false;
|
|
||||||
$this->model->startTrans();
|
|
||||||
try {
|
|
||||||
if ($this->modelValidate) {
|
|
||||||
$validate = str_replace("\\model\\", "\\validate\\", get_class($this->model));
|
|
||||||
if (class_exists($validate)) {
|
|
||||||
$validate = new $validate();
|
|
||||||
if ($this->modelSceneValidate) {
|
|
||||||
$validate->scene('add');
|
|
||||||
}
|
|
||||||
$validate->check($data);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
$result = $this->model->save($data);
|
|
||||||
if ($result !== false && $passwd) {
|
|
||||||
$this->model->resetPassword((int) $this->model->id, $passwd);
|
|
||||||
}
|
|
||||||
$this->model->commit();
|
|
||||||
} catch (Throwable $e) {
|
|
||||||
$this->model->rollback();
|
|
||||||
$this->error($e->getMessage());
|
|
||||||
}
|
|
||||||
|
|
||||||
$result !== false ? $this->success(__('Added successfully')) : $this->error(__('No rows were added'));
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* 编辑(重写以支持编辑时密码可选)
|
|
||||||
*/
|
|
||||||
public function edit(Request $request): Response
|
|
||||||
{
|
|
||||||
$response = $this->initializeBackend($request);
|
|
||||||
if ($response instanceof Response) {
|
|
||||||
return $response;
|
|
||||||
}
|
|
||||||
|
|
||||||
$pk = $this->model->getPk();
|
|
||||||
$id = $request->post($pk) ?? $request->get($pk);
|
|
||||||
$row = $this->model->find($id);
|
|
||||||
if (!$row) {
|
|
||||||
$this->error(__('Record not found'));
|
|
||||||
}
|
|
||||||
|
|
||||||
if ($request->method() === 'POST') {
|
|
||||||
$data = $request->post();
|
|
||||||
if (!$data) {
|
|
||||||
$this->error(__('Parameter %s can not be empty', ['']));
|
|
||||||
}
|
|
||||||
|
|
||||||
if (!empty($data['password'])) {
|
|
||||||
$this->model->resetPassword((int) $row->id, $data['password']);
|
|
||||||
}
|
|
||||||
|
|
||||||
$data = $this->applyInputFilter($data);
|
|
||||||
$data = $this->excludeFields($data);
|
|
||||||
|
|
||||||
$result = false;
|
|
||||||
$this->model->startTrans();
|
|
||||||
try {
|
|
||||||
if ($this->modelValidate) {
|
|
||||||
$validate = str_replace("\\model\\", "\\validate\\", get_class($this->model));
|
|
||||||
if (class_exists($validate)) {
|
|
||||||
$validate = new $validate();
|
|
||||||
if ($this->modelSceneValidate) {
|
|
||||||
$validate->scene('edit');
|
|
||||||
}
|
|
||||||
$validate->check(array_merge($data, [$pk => $row[$pk]]));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
$result = $row->save($data);
|
|
||||||
$this->model->commit();
|
|
||||||
} catch (Throwable $e) {
|
|
||||||
$this->model->rollback();
|
|
||||||
$this->error($e->getMessage());
|
|
||||||
}
|
|
||||||
|
|
||||||
return $result !== false ? $this->success(__('Update successful')) : $this->error(__('No rows updated'));
|
|
||||||
}
|
|
||||||
|
|
||||||
unset($row['password']);
|
|
||||||
$row['password'] = '';
|
|
||||||
$this->success('', ['row' => $row]);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* 若需重写查看、删除等方法,请复制 @see \app\admin\library\traits\Backend 中对应的方法至此进行重写
|
|
||||||
*/
|
|
||||||
}
|
|
||||||
@@ -3,6 +3,8 @@
|
|||||||
namespace {%namespace%};
|
namespace {%namespace%};
|
||||||
{%use%}
|
{%use%}
|
||||||
use app\common\controller\Backend;
|
use app\common\controller\Backend;
|
||||||
|
use support\Response;
|
||||||
|
use Webman\Http\Request as WebmanRequest;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* {%tableComment%}
|
* {%tableComment%}
|
||||||
|
|||||||
@@ -3,11 +3,11 @@
|
|||||||
* 查看
|
* 查看
|
||||||
* @throws Throwable
|
* @throws Throwable
|
||||||
*/
|
*/
|
||||||
public function index(): void
|
protected function _index(): Response
|
||||||
{
|
{
|
||||||
// 如果是 select 则转发到 select 方法,若未重写该方法,其实还是继续执行 index
|
// 如果是 select 则转发到 select 方法,若未重写该方法,其实还是继续执行 index
|
||||||
if ($this->request->param('select')) {
|
if ($this->request && $this->request->get('select')) {
|
||||||
$this->select();
|
return $this->select($this->request);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@@ -18,13 +18,14 @@
|
|||||||
list($where, $alias, $limit, $order) = $this->queryBuilder();
|
list($where, $alias, $limit, $order) = $this->queryBuilder();
|
||||||
$res = $this->model
|
$res = $this->model
|
||||||
->withJoin($this->withJoinTable, $this->withJoinType)
|
->withJoin($this->withJoinTable, $this->withJoinType)
|
||||||
|
->with($this->withJoinTable)
|
||||||
{%relationVisibleFields%}
|
{%relationVisibleFields%}
|
||||||
->alias($alias)
|
->alias($alias)
|
||||||
->where($where)
|
->where($where)
|
||||||
->order($order)
|
->order($order)
|
||||||
->paginate($limit);
|
->paginate($limit);
|
||||||
|
|
||||||
$this->success('', [
|
return $this->success('', [
|
||||||
'list' => $res->items(),
|
'list' => $res->items(),
|
||||||
'total' => $res->total(),
|
'total' => $res->total(),
|
||||||
'remark' => get_route_remark(),
|
'remark' => get_route_remark(),
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
|
|
||||||
public function initialize(): void
|
protected function initController(WebmanRequest $request): ?Response
|
||||||
{
|
{
|
||||||
parent::initialize();
|
|
||||||
$this->model = new \{%modelNamespace%}\{%modelName%}();{%filterRule%}
|
$this->model = new \{%modelNamespace%}\{%modelName%}();{%filterRule%}
|
||||||
|
return null;
|
||||||
}
|
}
|
||||||
@@ -50,6 +50,7 @@ trait Backend
|
|||||||
$res = $this->model
|
$res = $this->model
|
||||||
->field($this->indexField)
|
->field($this->indexField)
|
||||||
->withJoin($this->withJoinTable, $this->withJoinType)
|
->withJoin($this->withJoinTable, $this->withJoinType)
|
||||||
|
->with($this->withJoinTable)
|
||||||
->alias($alias)
|
->alias($alias)
|
||||||
->where($where)
|
->where($where)
|
||||||
->order($order)
|
->order($order)
|
||||||
@@ -301,7 +302,40 @@ trait Backend
|
|||||||
/**
|
/**
|
||||||
* 加载为 select(远程下拉选择框)数据,子类可覆盖
|
* 加载为 select(远程下拉选择框)数据,子类可覆盖
|
||||||
*/
|
*/
|
||||||
protected function _select(): void
|
protected function _select(): Response
|
||||||
{
|
{
|
||||||
|
if (empty($this->model)) {
|
||||||
|
return $this->success('', [
|
||||||
|
'list' => [],
|
||||||
|
'total' => 0,
|
||||||
|
]);
|
||||||
|
}
|
||||||
|
|
||||||
|
$pk = $this->model->getPk();
|
||||||
|
|
||||||
|
// 远程下拉只要求包含主键与可显示字段;这里尽量返回主键 + quickSearch 字段,避免全量字段带来性能问题
|
||||||
|
$fields = [$pk];
|
||||||
|
$quickSearchArr = is_array($this->quickSearchField) ? $this->quickSearchField : explode(',', (string) $this->quickSearchField);
|
||||||
|
foreach ($quickSearchArr as $f) {
|
||||||
|
$f = trim((string) $f);
|
||||||
|
if ($f === '') continue;
|
||||||
|
$f = str_contains($f, '.') ? substr($f, strrpos($f, '.') + 1) : $f;
|
||||||
|
if ($f !== '' && !in_array($f, $fields, true)) {
|
||||||
|
$fields[] = $f;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
list($where, $alias, $limit, $order) = $this->queryBuilder();
|
||||||
|
$res = $this->model
|
||||||
|
->field($fields)
|
||||||
|
->alias($alias)
|
||||||
|
->where($where)
|
||||||
|
->order($order)
|
||||||
|
->paginate($limit);
|
||||||
|
|
||||||
|
return $this->success('', [
|
||||||
|
'list' => $res->items(),
|
||||||
|
'total' => $res->total(),
|
||||||
|
]);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,28 +0,0 @@
|
|||||||
<?php
|
|
||||||
|
|
||||||
namespace app\admin\model\mall;
|
|
||||||
|
|
||||||
use app\common\model\traits\TimestampInteger;
|
|
||||||
use support\think\Model;
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Player
|
|
||||||
*/
|
|
||||||
class Player extends Model
|
|
||||||
{
|
|
||||||
use TimestampInteger;
|
|
||||||
|
|
||||||
// 表名
|
|
||||||
protected $name = 'mall_player';
|
|
||||||
|
|
||||||
// 自动写入时间戳字段
|
|
||||||
protected $autoWriteTimestamp = true;
|
|
||||||
|
|
||||||
/**
|
|
||||||
* 重置密码
|
|
||||||
*/
|
|
||||||
public function resetPassword(int $id, string $newPassword): bool
|
|
||||||
{
|
|
||||||
return $this->where(['id' => $id])->update(['password' => hash_password($newPassword)]) !== false;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
@@ -12,6 +12,7 @@ use ba\Filesystem;
|
|||||||
use app\common\controller\Api;
|
use app\common\controller\Api;
|
||||||
use app\admin\model\Admin as AdminModel;
|
use app\admin\model\Admin as AdminModel;
|
||||||
use app\admin\model\User as UserModel;
|
use app\admin\model\User as UserModel;
|
||||||
|
use app\process\Monitor;
|
||||||
use support\Response;
|
use support\Response;
|
||||||
use Webman\Http\Request;
|
use Webman\Http\Request;
|
||||||
use Phinx\Config\Config as PhinxConfig;
|
use Phinx\Config\Config as PhinxConfig;
|
||||||
@@ -428,6 +429,20 @@ class Install extends Api
|
|||||||
]);
|
]);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Windows 下 php windows.php 会每秒检测监控目录;写入 config/.env 等会触发 taskkill 整进程,导致 POST 被中断(ERR_CONNECTION_RESET)
|
||||||
|
Monitor::pause();
|
||||||
|
try {
|
||||||
|
return $this->baseConfigPost($request, $envOk, $rootPath, $migrateCommand);
|
||||||
|
} finally {
|
||||||
|
Monitor::resume();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 系统基础配置 POST:写入配置并执行迁移
|
||||||
|
*/
|
||||||
|
private function baseConfigPost(Request $request, bool $envOk, string $rootPath, string $migrateCommand): Response
|
||||||
|
{
|
||||||
$connectData = $databaseParam = $request->only(['hostname', 'username', 'password', 'hostport', 'database', 'prefix']);
|
$connectData = $databaseParam = $request->only(['hostname', 'username', 'password', 'hostport', 'database', 'prefix']);
|
||||||
|
|
||||||
// 数据库配置测试
|
// 数据库配置测试
|
||||||
@@ -455,6 +470,9 @@ class Install extends Api
|
|||||||
return "\$env('database.{$key}', '" . addslashes($value) . "')";
|
return "\$env('database.{$key}', '" . addslashes($value) . "')";
|
||||||
};
|
};
|
||||||
$dbConfigText = preg_replace_callback("/\\\$env\('database\.(hostname|database|username|password|hostport|prefix)',\s*'[^']*'\)/", $callback, $dbConfigContent);
|
$dbConfigText = preg_replace_callback("/\\\$env\('database\.(hostname|database|username|password|hostport|prefix)',\s*'[^']*'\)/", $callback, $dbConfigContent);
|
||||||
|
if ($dbConfigText === null) {
|
||||||
|
return $this->error(__('Failed to update database config file:%s', ['config/' . self::$dbConfigFileName]));
|
||||||
|
}
|
||||||
$result = @file_put_contents($dbConfigFile, $dbConfigText);
|
$result = @file_put_contents($dbConfigFile, $dbConfigText);
|
||||||
if (!$result) {
|
if (!$result) {
|
||||||
return $this->error(__('File has no write permission:%s', ['config/' . self::$dbConfigFileName]));
|
return $this->error(__('File has no write permission:%s', ['config/' . self::$dbConfigFileName]));
|
||||||
|
|||||||
@@ -214,9 +214,8 @@ class Backend extends Api
|
|||||||
public function select(WebmanRequest $request): Response
|
public function select(WebmanRequest $request): Response
|
||||||
{
|
{
|
||||||
$response = $this->initializeBackend($request);
|
$response = $this->initializeBackend($request);
|
||||||
if ($response !== null) return $response;
|
if ($response instanceof Response) return $response;
|
||||||
$this->_select();
|
return $this->_select();
|
||||||
return $this->success();
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|||||||
@@ -30,7 +30,7 @@ class AllowCrossDomain implements MiddlewareInterface
|
|||||||
'Access-Control-Allow-Credentials' => 'true',
|
'Access-Control-Allow-Credentials' => 'true',
|
||||||
'Access-Control-Max-Age' => '1800',
|
'Access-Control-Max-Age' => '1800',
|
||||||
'Access-Control-Allow-Methods' => 'GET, POST, PUT, DELETE, PATCH, OPTIONS',
|
'Access-Control-Allow-Methods' => 'GET, POST, PUT, DELETE, PATCH, OPTIONS',
|
||||||
'Access-Control-Allow-Headers' => 'Content-Type, Authorization, batoken, ba-user-token, think-lang',
|
'Access-Control-Allow-Headers' => 'Content-Type, Authorization, batoken, ba-user-token, think-lang, server',
|
||||||
];
|
];
|
||||||
$origin = $request->header('origin');
|
$origin = $request->header('origin');
|
||||||
if (is_array($origin)) {
|
if (is_array($origin)) {
|
||||||
|
|||||||
39
app/common/model/GameChannel.php
Normal file
39
app/common/model/GameChannel.php
Normal file
@@ -0,0 +1,39 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\common\model;
|
||||||
|
|
||||||
|
use support\think\Model;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* GameChannel
|
||||||
|
*/
|
||||||
|
class GameChannel extends Model
|
||||||
|
{
|
||||||
|
// 表名
|
||||||
|
protected $name = 'game_channel';
|
||||||
|
|
||||||
|
// 自动写入时间戳字段
|
||||||
|
protected $autoWriteTimestamp = true;
|
||||||
|
|
||||||
|
// 字段类型转换
|
||||||
|
protected $type = [
|
||||||
|
'create_time' => 'integer',
|
||||||
|
'update_time' => 'integer',
|
||||||
|
];
|
||||||
|
|
||||||
|
|
||||||
|
public function getprofitAmountAttr($value): ?float
|
||||||
|
{
|
||||||
|
return is_null($value) ? null : (float)$value;
|
||||||
|
}
|
||||||
|
|
||||||
|
public function adminGroup(): \think\model\relation\BelongsTo
|
||||||
|
{
|
||||||
|
return $this->belongsTo(\app\admin\model\AdminGroup::class, 'admin_group_id', 'id');
|
||||||
|
}
|
||||||
|
|
||||||
|
public function admin(): \think\model\relation\BelongsTo
|
||||||
|
{
|
||||||
|
return $this->belongsTo(\app\admin\model\Admin::class, 'admin_id', 'id');
|
||||||
|
}
|
||||||
|
}
|
||||||
39
app/common/model/GameUser.php
Normal file
39
app/common/model/GameUser.php
Normal file
@@ -0,0 +1,39 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\common\model;
|
||||||
|
|
||||||
|
use support\think\Model;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* GameUser
|
||||||
|
*/
|
||||||
|
class GameUser extends Model
|
||||||
|
{
|
||||||
|
// 表名
|
||||||
|
protected $name = 'game_user';
|
||||||
|
|
||||||
|
// 自动写入时间戳字段
|
||||||
|
protected $autoWriteTimestamp = true;
|
||||||
|
|
||||||
|
// 字段类型转换
|
||||||
|
protected $type = [
|
||||||
|
'create_time' => 'integer',
|
||||||
|
'update_time' => 'integer',
|
||||||
|
];
|
||||||
|
|
||||||
|
|
||||||
|
public function getcoinAttr($value): ?float
|
||||||
|
{
|
||||||
|
return is_null($value) ? null : (float)$value;
|
||||||
|
}
|
||||||
|
|
||||||
|
public function gameChannel(): \think\model\relation\BelongsTo
|
||||||
|
{
|
||||||
|
return $this->belongsTo(\app\common\model\GameChannel::class, 'game_channel_id', 'id');
|
||||||
|
}
|
||||||
|
|
||||||
|
public function admin(): \think\model\relation\BelongsTo
|
||||||
|
{
|
||||||
|
return $this->belongsTo(\app\admin\model\Admin::class, 'admin_id', 'id');
|
||||||
|
}
|
||||||
|
}
|
||||||
31
app/common/validate/GameChannel.php
Normal file
31
app/common/validate/GameChannel.php
Normal file
@@ -0,0 +1,31 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\common\validate;
|
||||||
|
|
||||||
|
use think\Validate;
|
||||||
|
|
||||||
|
class GameChannel extends Validate
|
||||||
|
{
|
||||||
|
protected $failException = true;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证规则
|
||||||
|
*/
|
||||||
|
protected $rule = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 提示消息
|
||||||
|
*/
|
||||||
|
protected $message = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证场景
|
||||||
|
*/
|
||||||
|
protected $scene = [
|
||||||
|
'add' => [],
|
||||||
|
'edit' => [],
|
||||||
|
];
|
||||||
|
|
||||||
|
}
|
||||||
31
app/common/validate/GameUser.php
Normal file
31
app/common/validate/GameUser.php
Normal file
@@ -0,0 +1,31 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\common\validate;
|
||||||
|
|
||||||
|
use think\Validate;
|
||||||
|
|
||||||
|
class GameUser extends Validate
|
||||||
|
{
|
||||||
|
protected $failException = true;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证规则
|
||||||
|
*/
|
||||||
|
protected $rule = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 提示消息
|
||||||
|
*/
|
||||||
|
protected $message = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证场景
|
||||||
|
*/
|
||||||
|
protected $scene = [
|
||||||
|
'add' => [],
|
||||||
|
'edit' => [],
|
||||||
|
];
|
||||||
|
|
||||||
|
}
|
||||||
31
app/common/validate/MallItem.php
Normal file
31
app/common/validate/MallItem.php
Normal file
@@ -0,0 +1,31 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\common\validate;
|
||||||
|
|
||||||
|
use think\Validate;
|
||||||
|
|
||||||
|
class MallItem extends Validate
|
||||||
|
{
|
||||||
|
protected $failException = true;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证规则
|
||||||
|
*/
|
||||||
|
protected $rule = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 提示消息
|
||||||
|
*/
|
||||||
|
protected $message = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证场景
|
||||||
|
*/
|
||||||
|
protected $scene = [
|
||||||
|
'add' => [],
|
||||||
|
'edit' => [],
|
||||||
|
];
|
||||||
|
|
||||||
|
}
|
||||||
31
app/common/validate/MallWalletRecord.php
Normal file
31
app/common/validate/MallWalletRecord.php
Normal file
@@ -0,0 +1,31 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
namespace app\common\validate;
|
||||||
|
|
||||||
|
use think\Validate;
|
||||||
|
|
||||||
|
class MallWalletRecord extends Validate
|
||||||
|
{
|
||||||
|
protected $failException = true;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证规则
|
||||||
|
*/
|
||||||
|
protected $rule = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 提示消息
|
||||||
|
*/
|
||||||
|
protected $message = [
|
||||||
|
];
|
||||||
|
|
||||||
|
/**
|
||||||
|
* 验证场景
|
||||||
|
*/
|
||||||
|
protected $scene = [
|
||||||
|
'add' => [],
|
||||||
|
'edit' => [],
|
||||||
|
];
|
||||||
|
|
||||||
|
}
|
||||||
@@ -3,12 +3,12 @@
|
|||||||
namespace app\process;
|
namespace app\process;
|
||||||
|
|
||||||
use Webman\App;
|
use Webman\App;
|
||||||
use Webman\Http\Response;
|
|
||||||
|
|
||||||
class Http extends App
|
class Http extends App
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* 在父类处理前拦截 OPTIONS 预检,直接返回 CORS 头(避免预检未命中路由时无 CORS)
|
* 在父类处理前拦截 OPTIONS 预检,直接返回 CORS 头(避免预检未命中路由时无 CORS)
|
||||||
|
* 必须与 AllowCrossDomain::optionsResponse 一致,否则会覆盖中间件里对 Allow-Headers(如 server)的配置
|
||||||
*/
|
*/
|
||||||
public function onMessage($connection, $request): void
|
public function onMessage($connection, $request): void
|
||||||
{
|
{
|
||||||
@@ -18,19 +18,8 @@ class Http extends App
|
|||||||
$path = is_string($path) ? trim($path, '/') : '';
|
$path = is_string($path) ? trim($path, '/') : '';
|
||||||
$isApiOrAdmin = $path !== '' && (str_starts_with($path, 'api') || str_starts_with($path, 'admin'));
|
$isApiOrAdmin = $path !== '' && (str_starts_with($path, 'api') || str_starts_with($path, 'admin'));
|
||||||
if ($isApiOrAdmin) {
|
if ($isApiOrAdmin) {
|
||||||
$origin = $request->header('origin');
|
$response = \app\common\middleware\AllowCrossDomain::optionsResponse($request);
|
||||||
$origin = is_array($origin) ? ($origin[0] ?? '') : (is_string($origin) ? trim($origin) : '');
|
$connection->send($response);
|
||||||
if ($origin === '') {
|
|
||||||
$origin = '*';
|
|
||||||
}
|
|
||||||
$headers = [
|
|
||||||
'Access-Control-Allow-Origin' => $origin,
|
|
||||||
'Access-Control-Allow-Credentials' => 'true',
|
|
||||||
'Access-Control-Max-Age' => '1800',
|
|
||||||
'Access-Control-Allow-Methods' => 'GET, POST, PUT, DELETE, PATCH, OPTIONS',
|
|
||||||
'Access-Control-Allow-Headers' => 'Content-Type, Authorization, batoken, ba-user-token, think-lang',
|
|
||||||
];
|
|
||||||
$connection->send(new Response(204, $headers, ''));
|
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -227,6 +227,8 @@ class Install extends AbstractMigration
|
|||||||
->addColumn('extend', 'string', ['limit' => 255, 'default' => '', 'comment' => '扩展属性', 'null' => false])
|
->addColumn('extend', 'string', ['limit' => 255, 'default' => '', 'comment' => '扩展属性', 'null' => false])
|
||||||
->addColumn('allow_del', 'integer', ['signed' => false, 'limit' => MysqlAdapter::INT_TINY, 'default' => 0, 'comment' => '允许删除:0=否,1=是', 'null' => false])
|
->addColumn('allow_del', 'integer', ['signed' => false, 'limit' => MysqlAdapter::INT_TINY, 'default' => 0, 'comment' => '允许删除:0=否,1=是', 'null' => false])
|
||||||
->addColumn('weigh', 'integer', ['comment' => '权重', 'default' => 0, 'null' => false])
|
->addColumn('weigh', 'integer', ['comment' => '权重', 'default' => 0, 'null' => false])
|
||||||
|
->addColumn('update_time', 'biginteger', ['limit' => 16, 'signed' => false, 'null' => true, 'default' => null, 'comment' => '更新时间'])
|
||||||
|
->addColumn('create_time', 'biginteger', ['limit' => 16, 'signed' => false, 'null' => true, 'default' => null, 'comment' => '创建时间'])
|
||||||
->addIndex(['name'], [
|
->addIndex(['name'], [
|
||||||
'unique' => true,
|
'unique' => true,
|
||||||
])
|
])
|
||||||
|
|||||||
55
database/migrations/20231111000000_add_config_timestamps.php
Normal file
55
database/migrations/20231111000000_add_config_timestamps.php
Normal file
@@ -0,0 +1,55 @@
|
|||||||
|
<?php
|
||||||
|
|
||||||
|
/**
|
||||||
|
* config 表在初始 install 中未含 create_time/update_time,而 Config 模型开启自动时间戳,
|
||||||
|
* Version205 等迁移使用 Model::save() 会生成对 update_time 的 UPDATE,导致 1054 错误。
|
||||||
|
* 本迁移在 Version205 之前执行,补齐字段。
|
||||||
|
*/
|
||||||
|
use Phinx\Migration\AbstractMigration;
|
||||||
|
|
||||||
|
class AddConfigTimestamps extends AbstractMigration
|
||||||
|
{
|
||||||
|
public function up(): void
|
||||||
|
{
|
||||||
|
if (!$this->hasTable('config')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
$config = $this->table('config');
|
||||||
|
if (!$config->hasColumn('update_time')) {
|
||||||
|
$config->addColumn('update_time', 'biginteger', [
|
||||||
|
'limit' => 16,
|
||||||
|
'signed' => false,
|
||||||
|
'null' => true,
|
||||||
|
'default' => null,
|
||||||
|
'comment' => '更新时间',
|
||||||
|
'after' => 'weigh',
|
||||||
|
])->save();
|
||||||
|
}
|
||||||
|
$config = $this->table('config');
|
||||||
|
if (!$config->hasColumn('create_time')) {
|
||||||
|
$config->addColumn('create_time', 'biginteger', [
|
||||||
|
'limit' => 16,
|
||||||
|
'signed' => false,
|
||||||
|
'null' => true,
|
||||||
|
'default' => null,
|
||||||
|
'comment' => '创建时间',
|
||||||
|
'after' => 'update_time',
|
||||||
|
])->save();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public function down(): void
|
||||||
|
{
|
||||||
|
if (!$this->hasTable('config')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
$config = $this->table('config');
|
||||||
|
if ($config->hasColumn('create_time')) {
|
||||||
|
$config->removeColumn('create_time')->save();
|
||||||
|
}
|
||||||
|
$config = $this->table('config');
|
||||||
|
if ($config->hasColumn('update_time')) {
|
||||||
|
$config->removeColumn('update_time')->save();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -42,8 +42,27 @@ if (!function_exists('env')) {
|
|||||||
require $baseDir . '/vendor/workerman/webman-framework/src/support/helpers.php';
|
require $baseDir . '/vendor/workerman/webman-framework/src/support/helpers.php';
|
||||||
require $baseDir . '/app/functions.php';
|
require $baseDir . '/app/functions.php';
|
||||||
|
|
||||||
Webman\Config::load($baseDir . '/config', ['route', 'middleware', 'process', 'server', 'static']);
|
use Webman\Config;
|
||||||
$thinkorm = config('thinkorm', []);
|
|
||||||
|
Config::clear();
|
||||||
|
Config::load($baseDir . '/config', ['route', 'middleware', 'process', 'server', 'static']);
|
||||||
|
// 与 Webman\ThinkOrm\ThinkOrm::start() 一致,并与 phinx.php 中 $thinkorm 来源一致
|
||||||
|
$thinkorm = array_replace_recursive(config('thinkorm', []), config('think-orm', []));
|
||||||
if (!empty($thinkorm)) {
|
if (!empty($thinkorm)) {
|
||||||
support\think\Db::setConfig($thinkorm);
|
support\think\Db::setConfig($thinkorm);
|
||||||
|
// Webman DbManager 使用连接池且忽略 force;安装向导在同进程内迁移时若不清理,会沿用旧前缀连接,
|
||||||
|
// 导致 Phinx 已建带前缀表而 Db::name() 仍查无前缀表(如 menu_rule 不存在)。
|
||||||
|
if (class_exists(\Webman\ThinkOrm\DbManager::class)) {
|
||||||
|
$ref = new \ReflectionClass(\Webman\ThinkOrm\DbManager::class);
|
||||||
|
if ($ref->hasProperty('pools')) {
|
||||||
|
$poolsProp = $ref->getProperty('pools');
|
||||||
|
$poolsProp->setAccessible(true);
|
||||||
|
$poolsProp->setValue(null, []);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (class_exists(\Webman\Context::class)) {
|
||||||
|
foreach (array_keys($thinkorm['connections'] ?? []) as $connName) {
|
||||||
|
\Webman\Context::set('think-orm.connections.' . $connName, null);
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
15
phinx.php
15
phinx.php
@@ -1,7 +1,7 @@
|
|||||||
<?php
|
<?php
|
||||||
/**
|
/**
|
||||||
* Phinx 数据库迁移配置
|
* Phinx 数据库迁移配置
|
||||||
* 从 config/thinkorm.php 读取数据库连接,用于 php vendor/bin/phinx migrate
|
* 与 Webman ThinkOrm 引导一致:Config 加载后合并 thinkorm + think-orm,供 phinx migrate 使用
|
||||||
*/
|
*/
|
||||||
declare(strict_types=1);
|
declare(strict_types=1);
|
||||||
|
|
||||||
@@ -36,7 +36,18 @@ if (!function_exists('env')) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
$thinkorm = require $baseDir . '/config/thinkorm.php';
|
if (!defined('BASE_PATH')) {
|
||||||
|
define('BASE_PATH', $baseDir);
|
||||||
|
}
|
||||||
|
|
||||||
|
require $baseDir . '/vendor/workerman/webman-framework/src/support/helpers.php';
|
||||||
|
require $baseDir . '/app/functions.php';
|
||||||
|
|
||||||
|
use Webman\Config;
|
||||||
|
|
||||||
|
Config::clear();
|
||||||
|
Config::load($baseDir . '/config', ['route', 'middleware', 'process', 'server', 'static']);
|
||||||
|
$thinkorm = array_replace_recursive(config('thinkorm', []), config('think-orm', []));
|
||||||
$conn = $thinkorm['connections'][$thinkorm['default'] ?? 'mysql'] ?? [];
|
$conn = $thinkorm['connections'][$thinkorm['default'] ?? 'mysql'] ?? [];
|
||||||
$prefix = $conn['prefix'] ?? '';
|
$prefix = $conn['prefix'] ?? '';
|
||||||
|
|
||||||
|
|||||||
@@ -11,6 +11,98 @@
|
|||||||
fetch('/api/install/accessUrls').then(function(r){return r.json();}).then(function(res){
|
fetch('/api/install/accessUrls').then(function(r){return r.json();}).then(function(res){
|
||||||
if (res && res.data) { urls.adminUrl = res.data.adminUrl || ''; urls.frontUrl = res.data.frontUrl || ''; }
|
if (res && res.data) { urls.adminUrl = res.data.adminUrl || ''; urls.frontUrl = res.data.frontUrl || ''; }
|
||||||
}).catch(function(){});
|
}).catch(function(){});
|
||||||
|
function ensureQuickPanel() {
|
||||||
|
if (!urls.adminUrl && !urls.frontUrl) return;
|
||||||
|
if (document.getElementById('__ba_install_quick_urls__')) return;
|
||||||
|
var wrap = document.createElement('div');
|
||||||
|
wrap.id = '__ba_install_quick_urls__';
|
||||||
|
wrap.style.position = 'fixed';
|
||||||
|
wrap.style.right = '16px';
|
||||||
|
wrap.style.bottom = '16px';
|
||||||
|
wrap.style.zIndex = '99999';
|
||||||
|
wrap.style.maxWidth = '560px';
|
||||||
|
wrap.style.fontFamily = 'ui-sans-serif, system-ui, -apple-system, Segoe UI, Roboto, Helvetica, Arial, "Apple Color Emoji", "Segoe UI Emoji"';
|
||||||
|
wrap.innerHTML =
|
||||||
|
'<div style="background:rgba(255,255,255,.96);border:1px solid rgba(0,0,0,.08);box-shadow:0 8px 24px rgba(0,0,0,.12);border-radius:12px;overflow:hidden">' +
|
||||||
|
'<div style="padding:10px 12px;border-bottom:1px solid rgba(0,0,0,.06);display:flex;gap:8px;align-items:center;justify-content:space-between">' +
|
||||||
|
'<div style="font-weight:600;color:#111">安装完成快捷入口</div>' +
|
||||||
|
'<button type="button" aria-label="close" style="border:0;background:transparent;cursor:pointer;font-size:16px;line-height:16px;color:#666;padding:4px 6px">×</button>' +
|
||||||
|
'</div>' +
|
||||||
|
'<div style="padding:12px;display:flex;flex-direction:column;gap:10px">' +
|
||||||
|
'<div>' +
|
||||||
|
'<div style="font-size:12px;color:#666;margin-bottom:6px">后台地址</div>' +
|
||||||
|
'<div style="display:flex;gap:8px;align-items:center;flex-wrap:wrap">' +
|
||||||
|
'<a data-k="admin" target="_blank" rel="noreferrer" style="color:#1677ff;text-decoration:none;word-break:break-all"></a>' +
|
||||||
|
'<button data-copy="admin" type="button" style="border:1px solid rgba(0,0,0,.12);background:#fff;border-radius:8px;padding:6px 10px;cursor:pointer">复制</button>' +
|
||||||
|
'</div>' +
|
||||||
|
'</div>' +
|
||||||
|
'<div>' +
|
||||||
|
'<div style="font-size:12px;color:#666;margin-bottom:6px">前台地址</div>' +
|
||||||
|
'<div style="display:flex;gap:8px;align-items:center;flex-wrap:wrap">' +
|
||||||
|
'<a data-k="front" target="_blank" rel="noreferrer" style="color:#1677ff;text-decoration:none;word-break:break-all"></a>' +
|
||||||
|
'<button data-copy="front" type="button" style="border:1px solid rgba(0,0,0,.12);background:#fff;border-radius:8px;padding:6px 10px;cursor:pointer">复制</button>' +
|
||||||
|
'</div>' +
|
||||||
|
'</div>' +
|
||||||
|
'<div data-msg style="font-size:12px;color:#52c41a;min-height:16px"></div>' +
|
||||||
|
'</div>' +
|
||||||
|
'</div>';
|
||||||
|
document.body.appendChild(wrap);
|
||||||
|
|
||||||
|
var closeBtn = wrap.querySelector('button[aria-label="close"]');
|
||||||
|
if (closeBtn) closeBtn.addEventListener('click', function(){ wrap.remove(); });
|
||||||
|
|
||||||
|
function setLink(which, val) {
|
||||||
|
var a = wrap.querySelector('a[data-k="' + which + '"]');
|
||||||
|
if (!a) return;
|
||||||
|
a.textContent = val || '';
|
||||||
|
a.href = val || 'javascript:void(0)';
|
||||||
|
}
|
||||||
|
setLink('admin', urls.adminUrl);
|
||||||
|
setLink('front', urls.frontUrl);
|
||||||
|
|
||||||
|
function showMsg(text, ok) {
|
||||||
|
var el = wrap.querySelector('[data-msg]');
|
||||||
|
if (!el) return;
|
||||||
|
el.style.color = ok ? '#52c41a' : '#ff4d4f';
|
||||||
|
el.textContent = text;
|
||||||
|
window.clearTimeout(el.__t);
|
||||||
|
el.__t = window.setTimeout(function(){ el.textContent = ''; }, 1800);
|
||||||
|
}
|
||||||
|
function copyText(text) {
|
||||||
|
if (!text) return Promise.reject(new Error('empty'));
|
||||||
|
if (navigator.clipboard && navigator.clipboard.writeText) {
|
||||||
|
return navigator.clipboard.writeText(text);
|
||||||
|
}
|
||||||
|
return new Promise(function(resolve, reject){
|
||||||
|
try {
|
||||||
|
var ta = document.createElement('textarea');
|
||||||
|
ta.value = text;
|
||||||
|
ta.setAttribute('readonly', 'readonly');
|
||||||
|
ta.style.position = 'fixed';
|
||||||
|
ta.style.left = '-9999px';
|
||||||
|
document.body.appendChild(ta);
|
||||||
|
ta.select();
|
||||||
|
var ok = document.execCommand('copy');
|
||||||
|
document.body.removeChild(ta);
|
||||||
|
ok ? resolve() : reject(new Error('copy failed'));
|
||||||
|
} catch (e) {
|
||||||
|
reject(e);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
wrap.addEventListener('click', function(e){
|
||||||
|
var t = e.target;
|
||||||
|
if (!t || !t.getAttribute) return;
|
||||||
|
var which = t.getAttribute('data-copy');
|
||||||
|
if (!which) return;
|
||||||
|
var text = which === 'admin' ? urls.adminUrl : urls.frontUrl;
|
||||||
|
copyText(text).then(function(){
|
||||||
|
showMsg('已复制:' + text, true);
|
||||||
|
}).catch(function(){
|
||||||
|
showMsg('复制失败,请手动复制', false);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
}
|
||||||
function applyUrls() {
|
function applyUrls() {
|
||||||
if (!urls.adminUrl && !urls.frontUrl) return;
|
if (!urls.adminUrl && !urls.frontUrl) return;
|
||||||
document.querySelectorAll('input[type="text"], input:not([type])').forEach(function(inp){
|
document.querySelectorAll('input[type="text"], input:not([type])').forEach(function(inp){
|
||||||
@@ -24,6 +116,7 @@
|
|||||||
document.querySelectorAll('a[href*="#/"]').forEach(function(a){
|
document.querySelectorAll('a[href*="#/"]').forEach(function(a){
|
||||||
if (urls.frontUrl && a.href.indexOf('#/admin') < 0) a.href = urls.frontUrl;
|
if (urls.frontUrl && a.href.indexOf('#/admin') < 0) a.href = urls.frontUrl;
|
||||||
});
|
});
|
||||||
|
ensureQuickPanel();
|
||||||
}
|
}
|
||||||
if (document.readyState === 'loading') document.addEventListener('DOMContentLoaded', function(){ setInterval(applyUrls, 800); });
|
if (document.readyState === 'loading') document.addEventListener('DOMContentLoaded', function(){ setInterval(applyUrls, 800); });
|
||||||
else setInterval(applyUrls, 800);
|
else setInterval(applyUrls, 800);
|
||||||
|
|||||||
18
web/src/lang/backend/en/game/channel.ts
Normal file
18
web/src/lang/backend/en/game/channel.ts
Normal file
@@ -0,0 +1,18 @@
|
|||||||
|
export default {
|
||||||
|
id: 'id',
|
||||||
|
code: 'code',
|
||||||
|
name: 'name',
|
||||||
|
user_count: 'user_count',
|
||||||
|
profit_amount: 'profit_amount',
|
||||||
|
status: 'status',
|
||||||
|
'status 0': 'status 0',
|
||||||
|
'status 1': 'status 1',
|
||||||
|
remark: 'remark',
|
||||||
|
admin_group_id: 'admin_group_id',
|
||||||
|
admingroup__name: 'name',
|
||||||
|
admin_id: 'admin_id',
|
||||||
|
admin__username: 'username',
|
||||||
|
create_time: 'create_time',
|
||||||
|
update_time: 'update_time',
|
||||||
|
'quick Search Fields': 'id,code,name',
|
||||||
|
}
|
||||||
19
web/src/lang/backend/en/game/user.ts
Normal file
19
web/src/lang/backend/en/game/user.ts
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
export default {
|
||||||
|
id: 'id',
|
||||||
|
username: 'username',
|
||||||
|
password: 'password',
|
||||||
|
uuid: 'uuid',
|
||||||
|
phone: 'phone',
|
||||||
|
remark: 'remark',
|
||||||
|
coin: 'coin',
|
||||||
|
status: 'status',
|
||||||
|
'status 0': 'status 0',
|
||||||
|
'status 1': 'status 1',
|
||||||
|
game_channel_id: 'game_channel_id',
|
||||||
|
gamechannel__name: 'name',
|
||||||
|
admin_id: 'admin_id',
|
||||||
|
admin__username: 'username',
|
||||||
|
create_time: 'create_time',
|
||||||
|
update_time: 'update_time',
|
||||||
|
'quick Search Fields': 'id,username,phone',
|
||||||
|
}
|
||||||
@@ -1,9 +0,0 @@
|
|||||||
export default {
|
|
||||||
id: 'id',
|
|
||||||
username: 'username',
|
|
||||||
password: 'password',
|
|
||||||
create_time: 'create_time',
|
|
||||||
update_time: 'update_time',
|
|
||||||
score: 'score',
|
|
||||||
quickSearchFields: 'id',
|
|
||||||
}
|
|
||||||
18
web/src/lang/backend/zh-cn/game/channel.ts
Normal file
18
web/src/lang/backend/zh-cn/game/channel.ts
Normal file
@@ -0,0 +1,18 @@
|
|||||||
|
export default {
|
||||||
|
id: 'ID',
|
||||||
|
code: '渠道标识',
|
||||||
|
name: '渠道名',
|
||||||
|
user_count: '用户数',
|
||||||
|
profit_amount: '利润',
|
||||||
|
status: '状态',
|
||||||
|
'status 0': '禁用',
|
||||||
|
'status 1': '启用',
|
||||||
|
remark: '备注',
|
||||||
|
admin_group_id: '管理角色组',
|
||||||
|
admingroup__name: '组名',
|
||||||
|
admin_id: '管理员',
|
||||||
|
admin__username: '用户名',
|
||||||
|
create_time: '创建时间',
|
||||||
|
update_time: '修改时间',
|
||||||
|
'quick Search Fields': 'ID、渠道标识、渠道名',
|
||||||
|
}
|
||||||
19
web/src/lang/backend/zh-cn/game/user.ts
Normal file
19
web/src/lang/backend/zh-cn/game/user.ts
Normal file
@@ -0,0 +1,19 @@
|
|||||||
|
export default {
|
||||||
|
id: 'ID',
|
||||||
|
username: '用户名',
|
||||||
|
password: '密码',
|
||||||
|
uuid: '用户唯一标识',
|
||||||
|
phone: '手机号',
|
||||||
|
remark: '备注',
|
||||||
|
coin: '平台币',
|
||||||
|
status: '状态',
|
||||||
|
'status 0': '禁用',
|
||||||
|
'status 1': '启用',
|
||||||
|
game_channel_id: '所属渠道',
|
||||||
|
gamechannel__name: '渠道名',
|
||||||
|
admin_id: '所属管理员',
|
||||||
|
admin__username: '用户名',
|
||||||
|
create_time: '创建时间',
|
||||||
|
update_time: '修改时间',
|
||||||
|
'quick Search Fields': 'ID、用户名、手机号',
|
||||||
|
}
|
||||||
@@ -1,9 +0,0 @@
|
|||||||
export default {
|
|
||||||
id: 'ID',
|
|
||||||
username: '用户名',
|
|
||||||
password: '密码',
|
|
||||||
create_time: '创建时间',
|
|
||||||
update_time: '修改时间',
|
|
||||||
score: '积分',
|
|
||||||
quickSearchFields: 'ID',
|
|
||||||
}
|
|
||||||
@@ -6,7 +6,7 @@
|
|||||||
<!-- 自定义按钮请使用插槽,甚至公共搜索也可以使用具名插槽渲染,参见文档 -->
|
<!-- 自定义按钮请使用插槽,甚至公共搜索也可以使用具名插槽渲染,参见文档 -->
|
||||||
<TableHeader
|
<TableHeader
|
||||||
:buttons="['refresh', 'add', 'edit', 'delete', 'comSearch', 'quickSearch', 'columnDisplay']"
|
:buttons="['refresh', 'add', 'edit', 'delete', 'comSearch', 'quickSearch', 'columnDisplay']"
|
||||||
:quick-search-placeholder="t('Quick search placeholder', { fields: t('mall.player.quickSearchFields') })"
|
:quick-search-placeholder="t('Quick search placeholder', { fields: t('game.channel.quick Search Fields') })"
|
||||||
></TableHeader>
|
></TableHeader>
|
||||||
|
|
||||||
<!-- 表格 -->
|
<!-- 表格 -->
|
||||||
@@ -30,7 +30,7 @@ import Table from '/@/components/table/index.vue'
|
|||||||
import baTableClass from '/@/utils/baTable'
|
import baTableClass from '/@/utils/baTable'
|
||||||
|
|
||||||
defineOptions({
|
defineOptions({
|
||||||
name: 'mall/player',
|
name: 'game/channel',
|
||||||
})
|
})
|
||||||
|
|
||||||
const { t } = useI18n()
|
const { t } = useI18n()
|
||||||
@@ -41,22 +41,61 @@ const optButtons: OptButton[] = defaultOptButtons(['edit', 'delete'])
|
|||||||
* baTable 内包含了表格的所有数据且数据具备响应性,然后通过 provide 注入给了后代组件
|
* baTable 内包含了表格的所有数据且数据具备响应性,然后通过 provide 注入给了后代组件
|
||||||
*/
|
*/
|
||||||
const baTable = new baTableClass(
|
const baTable = new baTableClass(
|
||||||
new baTableApi('/admin/mall.Player/'),
|
new baTableApi('/admin/game.Channel/'),
|
||||||
{
|
{
|
||||||
pk: 'id',
|
pk: 'id',
|
||||||
column: [
|
column: [
|
||||||
{ type: 'selection', align: 'center', operator: false },
|
{ type: 'selection', align: 'center', operator: false },
|
||||||
{ label: t('mall.player.id'), prop: 'id', align: 'center', width: 70, operator: 'RANGE', sortable: 'custom' },
|
{ label: t('game.channel.id'), prop: 'id', align: 'center', width: 70, operator: 'RANGE', sortable: 'custom' },
|
||||||
{
|
{
|
||||||
label: t('mall.player.username'),
|
label: t('game.channel.code'),
|
||||||
prop: 'username',
|
prop: 'code',
|
||||||
align: 'center',
|
align: 'center',
|
||||||
operatorPlaceholder: t('Fuzzy query'),
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
sortable: false,
|
sortable: false,
|
||||||
operator: 'LIKE',
|
operator: 'LIKE',
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
label: t('mall.player.create_time'),
|
label: t('game.channel.name'),
|
||||||
|
prop: 'name',
|
||||||
|
align: 'center',
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
sortable: false,
|
||||||
|
operator: 'LIKE',
|
||||||
|
},
|
||||||
|
{ label: t('game.channel.user_count'), prop: 'user_count', align: 'center', sortable: false, operator: 'RANGE' },
|
||||||
|
{ label: t('game.channel.profit_amount'), prop: 'profit_amount', align: 'center', sortable: false, operator: 'RANGE' },
|
||||||
|
{
|
||||||
|
label: t('game.channel.status'),
|
||||||
|
prop: 'status',
|
||||||
|
align: 'center',
|
||||||
|
operator: 'eq',
|
||||||
|
sortable: false,
|
||||||
|
render: 'switch',
|
||||||
|
replaceValue: { '0': t('game.channel.status 0'), '1': t('game.channel.status 1') },
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.channel.admingroup__name'),
|
||||||
|
prop: 'adminGroup.name',
|
||||||
|
align: 'center',
|
||||||
|
minWidth: 110,
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
render: 'tags',
|
||||||
|
operator: 'LIKE',
|
||||||
|
comSearchRender: 'string',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.channel.admin__username'),
|
||||||
|
prop: 'admin.username',
|
||||||
|
align: 'center',
|
||||||
|
minWidth: 90,
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
render: 'tags',
|
||||||
|
operator: 'LIKE',
|
||||||
|
comSearchRender: 'string',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.channel.create_time'),
|
||||||
prop: 'create_time',
|
prop: 'create_time',
|
||||||
align: 'center',
|
align: 'center',
|
||||||
render: 'datetime',
|
render: 'datetime',
|
||||||
@@ -67,7 +106,7 @@ const baTable = new baTableClass(
|
|||||||
timeFormat: 'yyyy-mm-dd hh:MM:ss',
|
timeFormat: 'yyyy-mm-dd hh:MM:ss',
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
label: t('mall.player.update_time'),
|
label: t('game.channel.update_time'),
|
||||||
prop: 'update_time',
|
prop: 'update_time',
|
||||||
align: 'center',
|
align: 'center',
|
||||||
render: 'datetime',
|
render: 'datetime',
|
||||||
@@ -77,13 +116,12 @@ const baTable = new baTableClass(
|
|||||||
width: 160,
|
width: 160,
|
||||||
timeFormat: 'yyyy-mm-dd hh:MM:ss',
|
timeFormat: 'yyyy-mm-dd hh:MM:ss',
|
||||||
},
|
},
|
||||||
{ label: t('mall.player.score'), prop: 'score', align: 'center', sortable: false, operator: 'RANGE' },
|
{ label: t('Operate'), align: 'center', width: 80, render: 'buttons', buttons: optButtons, operator: false, fixed: 'right' },
|
||||||
{ label: t('Operate'), align: 'center', width: 100, render: 'buttons', buttons: optButtons, operator: false },
|
|
||||||
],
|
],
|
||||||
dblClickNotEditColumn: [undefined],
|
dblClickNotEditColumn: [undefined, 'status'],
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
defaultItems: {},
|
defaultItems: { status: '1' },
|
||||||
}
|
}
|
||||||
)
|
)
|
||||||
|
|
||||||
120
web/src/views/backend/game/channel/popupForm.vue
Normal file
120
web/src/views/backend/game/channel/popupForm.vue
Normal file
@@ -0,0 +1,120 @@
|
|||||||
|
<template>
|
||||||
|
<!-- 对话框表单 -->
|
||||||
|
<!-- 建议使用 Prettier 格式化代码 -->
|
||||||
|
<!-- el-form 内可以混用 el-form-item、FormItem、ba-input 等输入组件 -->
|
||||||
|
<el-dialog
|
||||||
|
class="ba-operate-dialog"
|
||||||
|
:close-on-click-modal="false"
|
||||||
|
:model-value="['Add', 'Edit'].includes(baTable.form.operate!)"
|
||||||
|
@close="baTable.toggleForm"
|
||||||
|
>
|
||||||
|
<template #header>
|
||||||
|
<div class="title" v-drag="['.ba-operate-dialog', '.el-dialog__header']" v-zoom="'.ba-operate-dialog'">
|
||||||
|
{{ baTable.form.operate ? t(baTable.form.operate) : '' }}
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
<el-scrollbar v-loading="baTable.form.loading" class="ba-table-form-scrollbar">
|
||||||
|
<div
|
||||||
|
class="ba-operate-form"
|
||||||
|
:class="'ba-' + baTable.form.operate + '-form'"
|
||||||
|
:style="config.layout.shrink ? '' : 'width: calc(100% - ' + baTable.form.labelWidth! / 2 + 'px)'"
|
||||||
|
>
|
||||||
|
<el-form
|
||||||
|
v-if="!baTable.form.loading"
|
||||||
|
ref="formRef"
|
||||||
|
@submit.prevent=""
|
||||||
|
@keyup.enter="baTable.onSubmit(formRef)"
|
||||||
|
:model="baTable.form.items"
|
||||||
|
:label-position="config.layout.shrink ? 'top' : 'right'"
|
||||||
|
:label-width="baTable.form.labelWidth + 'px'"
|
||||||
|
:rules="rules"
|
||||||
|
>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.channel.code')"
|
||||||
|
type="string"
|
||||||
|
v-model="baTable.form.items!.code"
|
||||||
|
prop="code"
|
||||||
|
:placeholder="t('Please input field', { field: t('game.channel.code') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.channel.name')"
|
||||||
|
type="string"
|
||||||
|
v-model="baTable.form.items!.name"
|
||||||
|
prop="name"
|
||||||
|
:placeholder="t('Please input field', { field: t('game.channel.name') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.channel.status')"
|
||||||
|
type="switch"
|
||||||
|
v-model="baTable.form.items!.status"
|
||||||
|
prop="status"
|
||||||
|
:input-attr="{ content: { '0': t('game.channel.status 0'), '1': t('game.channel.status 1') } }"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.channel.remark')"
|
||||||
|
type="textarea"
|
||||||
|
v-model="baTable.form.items!.remark"
|
||||||
|
prop="remark"
|
||||||
|
:input-attr="{ rows: 3 }"
|
||||||
|
@keyup.enter.stop=""
|
||||||
|
@keyup.ctrl.enter="baTable.onSubmit(formRef)"
|
||||||
|
:placeholder="t('Please input field', { field: t('game.channel.remark') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.channel.admin_group_id')"
|
||||||
|
type="remoteSelect"
|
||||||
|
v-model="baTable.form.items!.admin_group_id"
|
||||||
|
prop="admin_group_id"
|
||||||
|
:input-attr="{ pk: 'admin_group.id', field: 'name', remoteUrl: '/admin/auth.Group/index' }"
|
||||||
|
:placeholder="t('Please select field', { field: t('game.channel.admin_group_id') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.channel.admin_id')"
|
||||||
|
type="remoteSelect"
|
||||||
|
v-model="baTable.form.items!.admin_id"
|
||||||
|
prop="admin_id"
|
||||||
|
:input-attr="{ pk: 'admin.id', field: 'username', remoteUrl: '/admin/auth.Admin/index' }"
|
||||||
|
:placeholder="t('Please select field', { field: t('game.channel.admin_id') })"
|
||||||
|
/>
|
||||||
|
</el-form>
|
||||||
|
</div>
|
||||||
|
</el-scrollbar>
|
||||||
|
<template #footer>
|
||||||
|
<div :style="'width: calc(100% - ' + baTable.form.labelWidth! / 1.8 + 'px)'">
|
||||||
|
<el-button @click="baTable.toggleForm()">{{ t('Cancel') }}</el-button>
|
||||||
|
<el-button v-blur :loading="baTable.form.submitLoading" @click="baTable.onSubmit(formRef)" type="primary">
|
||||||
|
{{ baTable.form.operateIds && baTable.form.operateIds.length > 1 ? t('Save and edit next item') : t('Save') }}
|
||||||
|
</el-button>
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
</el-dialog>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup lang="ts">
|
||||||
|
import type { FormItemRule } from 'element-plus'
|
||||||
|
import { inject, reactive, useTemplateRef } from 'vue'
|
||||||
|
import { useI18n } from 'vue-i18n'
|
||||||
|
import FormItem from '/@/components/formItem/index.vue'
|
||||||
|
import { useConfig } from '/@/stores/config'
|
||||||
|
import type baTableClass from '/@/utils/baTable'
|
||||||
|
import { buildValidatorData } from '/@/utils/validate'
|
||||||
|
|
||||||
|
const config = useConfig()
|
||||||
|
const formRef = useTemplateRef('formRef')
|
||||||
|
const baTable = inject('baTable') as baTableClass
|
||||||
|
|
||||||
|
const { t } = useI18n()
|
||||||
|
|
||||||
|
const rules: Partial<Record<string, FormItemRule[]>> = reactive({
|
||||||
|
code: [buildValidatorData({ name: 'required', title: t('game.channel.code') })],
|
||||||
|
name: [buildValidatorData({ name: 'required', title: t('game.channel.name') })],
|
||||||
|
user_count: [buildValidatorData({ name: 'integer', title: t('game.channel.user_count') })],
|
||||||
|
profit_amount: [buildValidatorData({ name: 'float', title: t('game.channel.profit_amount') })],
|
||||||
|
admin_group_id: [buildValidatorData({ name: 'required', title: t('game.channel.admin_group_id') })],
|
||||||
|
admin_id: [buildValidatorData({ name: 'required', title: t('game.channel.admin_id') })],
|
||||||
|
create_time: [buildValidatorData({ name: 'date', title: t('game.channel.create_time') })],
|
||||||
|
update_time: [buildValidatorData({ name: 'date', title: t('game.channel.update_time') })],
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped lang="scss"></style>
|
||||||
149
web/src/views/backend/game/user/index.vue
Normal file
149
web/src/views/backend/game/user/index.vue
Normal file
@@ -0,0 +1,149 @@
|
|||||||
|
<template>
|
||||||
|
<div class="default-main ba-table-box">
|
||||||
|
<el-alert class="ba-table-alert" v-if="baTable.table.remark" :title="baTable.table.remark" type="info" show-icon />
|
||||||
|
|
||||||
|
<!-- 表格顶部菜单 -->
|
||||||
|
<!-- 自定义按钮请使用插槽,甚至公共搜索也可以使用具名插槽渲染,参见文档 -->
|
||||||
|
<TableHeader
|
||||||
|
:buttons="['refresh', 'add', 'edit', 'delete', 'comSearch', 'quickSearch', 'columnDisplay']"
|
||||||
|
:quick-search-placeholder="t('Quick search placeholder', { fields: t('game.user.quick Search Fields') })"
|
||||||
|
></TableHeader>
|
||||||
|
|
||||||
|
<!-- 表格 -->
|
||||||
|
<!-- 表格列有多种自定义渲染方式,比如自定义组件、具名插槽等,参见文档 -->
|
||||||
|
<!-- 要使用 el-table 组件原有的属性,直接加在 Table 标签上即可 -->
|
||||||
|
<Table ref="tableRef"></Table>
|
||||||
|
|
||||||
|
<!-- 表单 -->
|
||||||
|
<PopupForm />
|
||||||
|
</div>
|
||||||
|
</template>
|
||||||
|
|
||||||
|
<script setup lang="ts">
|
||||||
|
import { onMounted, provide, useTemplateRef } from 'vue'
|
||||||
|
import { useI18n } from 'vue-i18n'
|
||||||
|
import PopupForm from './popupForm.vue'
|
||||||
|
import { baTableApi } from '/@/api/common'
|
||||||
|
import { defaultOptButtons } from '/@/components/table'
|
||||||
|
import TableHeader from '/@/components/table/header/index.vue'
|
||||||
|
import Table from '/@/components/table/index.vue'
|
||||||
|
import baTableClass from '/@/utils/baTable'
|
||||||
|
|
||||||
|
defineOptions({
|
||||||
|
name: 'game/user',
|
||||||
|
})
|
||||||
|
|
||||||
|
const { t } = useI18n()
|
||||||
|
const tableRef = useTemplateRef('tableRef')
|
||||||
|
const optButtons: OptButton[] = defaultOptButtons(['edit', 'delete'])
|
||||||
|
|
||||||
|
/**
|
||||||
|
* baTable 内包含了表格的所有数据且数据具备响应性,然后通过 provide 注入给了后代组件
|
||||||
|
*/
|
||||||
|
const baTable = new baTableClass(
|
||||||
|
new baTableApi('/admin/game.User/'),
|
||||||
|
{
|
||||||
|
pk: 'id',
|
||||||
|
column: [
|
||||||
|
{ type: 'selection', align: 'center', operator: false },
|
||||||
|
{ label: t('game.user.id'), prop: 'id', align: 'center', width: 70, operator: 'RANGE', sortable: 'custom' },
|
||||||
|
{
|
||||||
|
label: t('game.user.username'),
|
||||||
|
prop: 'username',
|
||||||
|
align: 'center',
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
sortable: false,
|
||||||
|
operator: 'LIKE',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.user.uuid'),
|
||||||
|
prop: 'uuid',
|
||||||
|
align: 'center',
|
||||||
|
showOverflowTooltip: true,
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
sortable: false,
|
||||||
|
operator: 'LIKE',
|
||||||
|
},
|
||||||
|
{ label: t('game.user.phone'), prop: 'phone', align: 'center', operatorPlaceholder: t('Fuzzy query'), sortable: false, operator: 'LIKE' },
|
||||||
|
{ label: t('game.user.coin'), prop: 'coin', align: 'center', sortable: false, operator: 'RANGE' },
|
||||||
|
{
|
||||||
|
label: t('game.user.status'),
|
||||||
|
prop: 'status',
|
||||||
|
align: 'center',
|
||||||
|
operator: 'eq',
|
||||||
|
sortable: false,
|
||||||
|
render: 'switch',
|
||||||
|
replaceValue: { '0': t('game.user.status 0'), '1': t('game.user.status 1') },
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.user.gamechannel__name'),
|
||||||
|
prop: 'gameChannel.name',
|
||||||
|
align: 'center',
|
||||||
|
minWidth: 100,
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
render: 'tags',
|
||||||
|
operator: 'LIKE',
|
||||||
|
comSearchRender: 'string',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.user.admin__username'),
|
||||||
|
prop: 'admin.username',
|
||||||
|
align: 'center',
|
||||||
|
minWidth: 90,
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
render: 'tags',
|
||||||
|
operator: 'LIKE',
|
||||||
|
comSearchRender: 'string',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.user.remark'),
|
||||||
|
prop: 'remark',
|
||||||
|
align: 'center',
|
||||||
|
minWidth: 100,
|
||||||
|
showOverflowTooltip: true,
|
||||||
|
operatorPlaceholder: t('Fuzzy query'),
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.user.create_time'),
|
||||||
|
prop: 'create_time',
|
||||||
|
align: 'center',
|
||||||
|
render: 'datetime',
|
||||||
|
operator: 'RANGE',
|
||||||
|
comSearchRender: 'datetime',
|
||||||
|
sortable: 'custom',
|
||||||
|
width: 160,
|
||||||
|
timeFormat: 'yyyy-mm-dd hh:MM:ss',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
label: t('game.user.update_time'),
|
||||||
|
prop: 'update_time',
|
||||||
|
align: 'center',
|
||||||
|
render: 'datetime',
|
||||||
|
operator: 'RANGE',
|
||||||
|
comSearchRender: 'datetime',
|
||||||
|
sortable: 'custom',
|
||||||
|
width: 160,
|
||||||
|
timeFormat: 'yyyy-mm-dd hh:MM:ss',
|
||||||
|
},
|
||||||
|
{ label: t('Operate'), align: 'center', width: 80, render: 'buttons', buttons: optButtons, operator: false, fixed: 'right' },
|
||||||
|
],
|
||||||
|
dblClickNotEditColumn: [undefined, 'status'],
|
||||||
|
},
|
||||||
|
{
|
||||||
|
defaultItems: { status: '1' },
|
||||||
|
}
|
||||||
|
)
|
||||||
|
|
||||||
|
provide('baTable', baTable)
|
||||||
|
|
||||||
|
onMounted(() => {
|
||||||
|
baTable.table.ref = tableRef.value
|
||||||
|
baTable.mount()
|
||||||
|
baTable.getData()?.then(() => {
|
||||||
|
baTable.initSort()
|
||||||
|
baTable.dragSort()
|
||||||
|
})
|
||||||
|
})
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<style scoped lang="scss"></style>
|
||||||
@@ -30,26 +30,66 @@
|
|||||||
:rules="rules"
|
:rules="rules"
|
||||||
>
|
>
|
||||||
<FormItem
|
<FormItem
|
||||||
:label="t('mall.player.username')"
|
:label="t('game.user.username')"
|
||||||
type="string"
|
type="string"
|
||||||
v-model="baTable.form.items!.username"
|
v-model="baTable.form.items!.username"
|
||||||
prop="username"
|
prop="username"
|
||||||
:placeholder="t('Please input field', { field: t('mall.player.username') })"
|
:placeholder="t('Please input field', { field: t('game.user.username') })"
|
||||||
/>
|
/>
|
||||||
<FormItem
|
<FormItem
|
||||||
:label="t('mall.player.password')"
|
:label="t('game.user.password')"
|
||||||
type="password"
|
type="password"
|
||||||
v-model="baTable.form.items!.password"
|
v-model="baTable.form.items!.password"
|
||||||
prop="password"
|
prop="password"
|
||||||
:placeholder="t('Please input field', { field: t('mall.player.password') })"
|
:placeholder="t('Please input field', { field: t('game.user.password') })"
|
||||||
/>
|
/>
|
||||||
<FormItem
|
<FormItem
|
||||||
:label="t('mall.player.score')"
|
:label="t('game.user.phone')"
|
||||||
|
type="string"
|
||||||
|
v-model="baTable.form.items!.phone"
|
||||||
|
prop="phone"
|
||||||
|
:placeholder="t('Please input field', { field: t('game.user.phone') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.user.remark')"
|
||||||
|
type="textarea"
|
||||||
|
v-model="baTable.form.items!.remark"
|
||||||
|
prop="remark"
|
||||||
|
:input-attr="{ rows: 3 }"
|
||||||
|
@keyup.enter.stop=""
|
||||||
|
@keyup.ctrl.enter="baTable.onSubmit(formRef)"
|
||||||
|
:placeholder="t('Please input field', { field: t('game.user.remark') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.user.coin')"
|
||||||
type="number"
|
type="number"
|
||||||
v-model="baTable.form.items!.score"
|
v-model="baTable.form.items!.coin"
|
||||||
prop="score"
|
prop="coin"
|
||||||
:input-attr="{ step: 1 }"
|
:input-attr="{ step: 1 }"
|
||||||
:placeholder="t('Please input field', { field: t('mall.player.score') })"
|
:placeholder="t('Please input field', { field: t('game.user.coin') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.user.status')"
|
||||||
|
type="switch"
|
||||||
|
v-model="baTable.form.items!.status"
|
||||||
|
prop="status"
|
||||||
|
:input-attr="{ content: { '0': t('game.user.status 0'), '1': t('game.user.status 1') } }"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.user.game_channel_id')"
|
||||||
|
type="remoteSelect"
|
||||||
|
v-model="baTable.form.items!.game_channel_id"
|
||||||
|
prop="game_channel_id"
|
||||||
|
:input-attr="{ pk: 'game_channel.id', field: 'name', remoteUrl: '/admin/game.Channel/index' }"
|
||||||
|
:placeholder="t('Please select field', { field: t('game.user.game_channel_id') })"
|
||||||
|
/>
|
||||||
|
<FormItem
|
||||||
|
:label="t('game.user.admin_id')"
|
||||||
|
type="remoteSelect"
|
||||||
|
v-model="baTable.form.items!.admin_id"
|
||||||
|
prop="admin_id"
|
||||||
|
:input-attr="{ pk: 'admin.id', field: 'username', remoteUrl: '/admin/auth.Admin/index' }"
|
||||||
|
:placeholder="t('Please select field', { field: t('game.user.admin_id') })"
|
||||||
/>
|
/>
|
||||||
</el-form>
|
</el-form>
|
||||||
</div>
|
</div>
|
||||||
@@ -72,7 +112,7 @@ import { useI18n } from 'vue-i18n'
|
|||||||
import FormItem from '/@/components/formItem/index.vue'
|
import FormItem from '/@/components/formItem/index.vue'
|
||||||
import { useConfig } from '/@/stores/config'
|
import { useConfig } from '/@/stores/config'
|
||||||
import type baTableClass from '/@/utils/baTable'
|
import type baTableClass from '/@/utils/baTable'
|
||||||
import { buildValidatorData, regularPassword } from '/@/utils/validate'
|
import { buildValidatorData } from '/@/utils/validate'
|
||||||
|
|
||||||
const config = useConfig()
|
const config = useConfig()
|
||||||
const formRef = useTemplateRef('formRef')
|
const formRef = useTemplateRef('formRef')
|
||||||
@@ -81,28 +121,17 @@ const baTable = inject('baTable') as baTableClass
|
|||||||
const { t } = useI18n()
|
const { t } = useI18n()
|
||||||
|
|
||||||
const rules: Partial<Record<string, FormItemRule[]>> = reactive({
|
const rules: Partial<Record<string, FormItemRule[]>> = reactive({
|
||||||
username: [buildValidatorData({ name: 'required', title: t('mall.player.username') })],
|
username: [buildValidatorData({ name: 'required', title: t('game.user.username') })],
|
||||||
password: [
|
password: [
|
||||||
{
|
buildValidatorData({ name: 'password', title: t('game.user.password') }),
|
||||||
validator: (_rule: unknown, val: string, callback: (error?: Error) => void) => {
|
buildValidatorData({ name: 'required', title: t('game.user.password') }),
|
||||||
if (baTable.form.operate === 'Add') {
|
|
||||||
if (!val) {
|
|
||||||
return callback(new Error(t('Please input field', { field: t('mall.player.password') })))
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
if (!val) {
|
|
||||||
return callback()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
if (!regularPassword(val)) {
|
|
||||||
return callback(new Error(t('validate.Please enter the correct password')))
|
|
||||||
}
|
|
||||||
return callback()
|
|
||||||
},
|
|
||||||
trigger: 'blur',
|
|
||||||
},
|
|
||||||
],
|
],
|
||||||
score: [buildValidatorData({ name: 'number', title: t('mall.player.score') })],
|
phone: [buildValidatorData({ name: 'required', title: t('game.user.phone') })],
|
||||||
|
coin: [buildValidatorData({ name: 'number', title: t('game.user.coin') })],
|
||||||
|
game_channel_id: [buildValidatorData({ name: 'required', title: t('game.user.game_channel_id') })],
|
||||||
|
admin_id: [buildValidatorData({ name: 'required', title: t('game.user.admin_id') })],
|
||||||
|
create_time: [buildValidatorData({ name: 'date', title: t('game.user.create_time') })],
|
||||||
|
update_time: [buildValidatorData({ name: 'date', title: t('game.user.update_time') })],
|
||||||
})
|
})
|
||||||
</script>
|
</script>
|
||||||
|
|
||||||
Reference in New Issue
Block a user