lrf 1 месяц назад
Родитель
Сommit
55ff45d89f

+ 1 - 0
.gitignore

@@ -12,3 +12,4 @@ run/
 .tsbuildinfo
 .tsbuildinfo.*
 service.zip
+upload/


+ 1 - 1
ecosystem.config.js

@@ -1,6 +1,6 @@
 'use strict';
 // 开发服务设置
-const app = 'service';
+const app = 'service-admin';
 module.exports = {
   apps: [
     {

+ 1 - 1
service/ecosystem.config.js

@@ -1,6 +1,6 @@
 'use strict';
 // 开发服务设置
-const app = 'service';
+const app = 'service-admin';
 module.exports = {
   apps: [
     {

+ 10 - 8
service/package.json

@@ -4,14 +4,16 @@
   "description": "",
   "private": true,
   "dependencies": {
-    "@midwayjs/bootstrap": "^3.12.0",
-    "@midwayjs/busboy": "^3.19.2",
-    "@midwayjs/core": "^3.12.0",
-    "@midwayjs/info": "^3.12.0",
-    "@midwayjs/koa": "^3.12.0",
+    "@midwayjs/bootstrap": "^3.19.3",
+    "@midwayjs/busboy": "^3.19.3",
+    "@midwayjs/core": "^3.19.0",
+    "@midwayjs/info": "^3.19.2",
+    "@midwayjs/jwt": "^3.19.3",
+    "@midwayjs/koa": "^3.19.2",
     "@midwayjs/logger": "^3.1.0",
     "@midwayjs/typeorm": "^3.19.2",
-    "@midwayjs/validate": "^3.12.0",
+    "@midwayjs/validate": "^3.19.2",
+    "bcryptjs": "^3.0.2",
     "dayjs": "^1.11.13",
     "fs-extra": "^11.2.0",
     "lodash": "^4.17.21",
@@ -19,7 +21,7 @@
     "typeorm": "^0.3.20"
   },
   "devDependencies": {
-    "@midwayjs/mock": "^3.12.0",
+    "@midwayjs/mock": "^3.19.2",
     "@types/jest": "^29.2.0",
     "@types/lodash": "^4.17.13",
     "@types/node": "14",
@@ -49,4 +51,4 @@
   },
   "author": "anonymous",
   "license": "MIT"
-}
+}

+ 1 - 0
src/config/config.default.ts

@@ -23,6 +23,7 @@ export default {
     '/login/:type',
     '/dictType',
     '/files/*',
+    '/config',
     '/files/:project/upload',
     '/files/:project/:catalog/upload',
     '/files/:project/:catalog/:item/upload',

+ 3 - 0
src/config/config.local.ts

@@ -17,6 +17,9 @@ export default {
     globalPrefix: '/warter/admin/api',
     queryParseMode: 'extended',
   },
+  busboy: {
+    realdir: 'D:\\temp\\shuitou',
+  },
   urlDomain,
   typeorm: {
     dataSource: {

+ 3 - 0
src/config/config.prod.ts

@@ -21,6 +21,9 @@ export default {
       level: 'info'
     }
   },
+  busboy: {
+    realdir: 'D:\\workspace\\upload',
+  },
   urlDomain,
   typeorm: {
     dataSource: {

+ 1 - 1
src/controller/frame/Login.controller.ts

@@ -51,7 +51,7 @@ export class LoginController {
    * @param type 用户类型
    */
   @Post('/resetPwd/:type')
-  async resetPwd(@Body('id') id: string, @Param('type') type: string) {
+  async resetPwd(@Body('id') id: number, @Param('type') type: string) {
     // 随机密码,不需要写密码字段,函数内会给
     const data = new UPwdDTO();
     data.id = id;

+ 71 - 0
src/controller/question.controller.ts

@@ -0,0 +1,71 @@
+import {
+  Body,
+  Controller,
+  Get,
+  Inject,
+  Param,
+  Post,
+} from '@midwayjs/core';
+import { RF } from '../response/CustomerResponse';
+import { Page, Query } from '../decorator/page.decorator';
+import { QuestionService } from '../service/question.service';
+import { Opera } from '../frame/dbOpera';
+import { get } from 'lodash';
+import dayjs = require('dayjs');
+
+@Controller('/question')
+export class QuestionController {
+  @Inject()
+  service: QuestionService;
+
+  @Post('/')
+  async create(@Body() body) {
+    const data = await this.service.create(body);
+    return RF.success(data);
+  }
+
+  @Get('/')
+  async query(@Query() query, @Page() page) {
+    // 该表没有id.所以需要重新声明查询排序列
+    const meta = { order: { created_time: 'DESC' }, ...page }
+    // 时间,传来的是单日期.需要获取当天开始与结束的时分秒,然后范围查询
+    const operas = {
+      created_time: Opera.Between,
+      deal_time: Opera.Between
+    }
+    const created_time = get(query, 'created_time');
+    if (created_time) {
+      const timeArr = []
+      timeArr.push(dayjs(created_time).format('YYYY-MM-DD 00:00:00'))
+      timeArr.push(dayjs(created_time).format('YYYY-MM-DD 23:59:59'))
+      query['created_time'] = timeArr
+    }
+    const deal_time = get(query, 'deal_time');
+    if (deal_time) {
+      const timeArr = []
+      timeArr.push(dayjs(deal_time).format('YYYY-MM-DD 00:00:00'))
+      timeArr.push(dayjs(deal_time).format('YYYY-MM-DD 23:59:59'))
+      query['deal_time'] = timeArr
+    }
+    const result = await this.service.query(query, meta, operas);
+    return RF.success(result);
+  }
+
+  @Get('/:id')
+  async fetch(@Param('id') question_id: number) {
+    const result = await this.service.fetch({ question_id });
+    return RF.success(result);
+  }
+
+  @Post('/:id')
+  async update(@Param('id') question_id: number, @Body() body) {
+    const result = await this.service.update({ question_id }, body);
+    return RF.success(result);
+  }
+
+  // @Del('/:id')
+  // async delete(@Param('id') id: number) {
+  //   await this.service.delete({ id });
+  //   return RF.success();
+  // }
+}

+ 5 - 5
src/controller/system/admin.controller.ts

@@ -39,22 +39,22 @@ export class AdminController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     const result = await this.service.fetch({ id });
     return RF.success(result);
   }
 
   @Post('/:id')
-  async update(@Param('id') _id: string, @Body() body) {
+  async update(@Param('id') id: number, @Body() body) {
     // 删除account字段,不允许更改
     delete body.account;
-    const result = await this.service.update({ _id }, body);
+    const result = await this.service.update({ id }, body);
     return RF.success(result);
   }
 
   @Del('/:id')
-  async delete(@Param('id') _id: string) {
-    await this.service.delete({ _id });
+  async delete(@Param('id') id: number) {
+    await this.service.delete({ id });
     return RF.success();
   }
 }

+ 2 - 2
src/controller/system/config.controller.ts

@@ -29,7 +29,7 @@ export class ConfigController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     throw new ServiceError(ErrorCode.INTERFACE_NOT_OPEN);
   }
 
@@ -40,7 +40,7 @@ export class ConfigController {
   }
 
   @Del('/:id')
-  async delete(@Param('id') id: string) {
+  async delete(@Param('id') id: number) {
     throw new ServiceError(ErrorCode.INTERFACE_NOT_OPEN);
   }
 }

+ 3 - 3
src/controller/system/dictData.controller.ts

@@ -29,19 +29,19 @@ export class DictDataController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     const result = await this.service.fetch({ id });
     return RF.success(result);
   }
 
   @Post('/:id')
-  async update(@Param('id') id: string, @Body() body) {
+  async update(@Param('id') id: number, @Body() body) {
     const result = await this.service.update({ id }, body);
     return RF.success(result);
   }
 
   @Del('/:id')
-  async delete(@Param('id') id: string) {
+  async delete(@Param('id') id: number) {
     await this.service.delete({ id });
     return RF.success();
   }

+ 3 - 3
src/controller/system/dictType.controller.ts

@@ -29,19 +29,19 @@ export class DictTypeController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     const result = await this.service.fetch({ id });
     return RF.success(result);
   }
 
   @Post('/:id')
-  async update(@Param('id') id: string, @Body() body) {
+  async update(@Param('id') id: number, @Body() body) {
     const result = await this.service.update({ id }, body);
     return RF.success(result);
   }
 
   @Del('/:id')
-  async delete(@Param('id') id: string) {
+  async delete(@Param('id') id: number) {
     await this.service.delete({ id });
     return RF.success();
   }

+ 3 - 3
src/controller/system/menus.controller.ts

@@ -28,19 +28,19 @@ export class MenusController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     const result = await this.service.fetch({ id });
     return RF.success(result);
   }
 
   @Post('/:id')
-  async update(@Param('id') id: string, @Body() body) {
+  async update(@Param('id') id: number, @Body() body) {
     const result = await this.service.update({ id }, body);
     return RF.success(result);
   }
 
   @Del('/:id')
-  async delete(@Param('id') id: string) {
+  async delete(@Param('id') id: number) {
     await this.service.delete({ id });
     return RF.success();
   }

+ 3 - 3
src/controller/system/role.controller.ts

@@ -29,19 +29,19 @@ export class RoleController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     const result = await this.service.fetch({ id });
     return RF.success(result);
   }
 
   @Post('/:id')
-  async update(@Param('id') id: string, @Body() body) {
+  async update(@Param('id') id: number, @Body() body) {
     const result = await this.service.update({ id }, body);
     return RF.success(result);
   }
 
   @Del('/:id')
-  async delete(@Param('id') id: string) {
+  async delete(@Param('id') id: number) {
     await this.service.delete({ id });
     return RF.success();
   }

+ 3 - 3
src/controller/system/user.controller.ts

@@ -39,13 +39,13 @@ export class UserController {
   }
 
   @Get('/:id')
-  async fetch(@Param('id') id: string) {
+  async fetch(@Param('id') id: number) {
     const result = await this.service.fetch({ id });
     return RF.success(result);
   }
 
   @Post('/:id')
-  async update(@Param('id') id: string, @Body() body) {
+  async update(@Param('id') id: number, @Body() body) {
     // 删除account字段,不允许更改
     delete body.account;
     const result = await this.service.update({ id }, body);
@@ -53,7 +53,7 @@ export class UserController {
   }
 
   @Del('/:id')
-  async delete(@Param('id') id: string) {
+  async delete(@Param('id') id: number) {
     await this.service.delete({ id });
     return RF.success();
   }

+ 2 - 0
src/entity/question.entity.ts

@@ -38,6 +38,8 @@ export class Question {
   address: string;
   @Column({ comment: '反馈详情' })
   description: string;
+  @Column({ comment: '处理反馈' })
+  deal_desc: string;
   @Column({ comment: '处理状态: 0-未处理;1-已处理', default: '0' })
   deal_status: string
   @Column({ type: 'timestamp', nullable: true, transformer: { from: value => (value ? dayjs(value).format('YYYY-MM-DD HH:mm:ss') : value), to: value => value }, comment: '处理时间' })

+ 4 - 0
src/entity/system/config.entity.ts

@@ -6,4 +6,8 @@ export class Config extends BaseModel {
   name: string;
   @Column({ type: 'json', nullable: true, comment: 'logo' })
   logo: any;
+  @Column({ type: 'varchar', default: '0', nullable: true, comment: '是否启用首页宣传图:0-启用;1-禁用' })
+  use_index_img: string;
+  @Column({ type: 'json', nullable: true, comment: '首页宣传图' })
+  index_img: any;
 }

+ 4 - 5
src/frame/BaseService.ts

@@ -3,6 +3,7 @@ import { Application, Context } from '@midwayjs/koa';
 import { get, isNull, isFinite, isString, isUndefined } from 'lodash';
 import { Opera } from './dbOpera';
 import { completeBuilderCondition } from './conditionBuilder';
+import { Repository } from 'typeorm';
 /**
  * query默认的查询方式(哪个字段 是 = 还是 IN 还是 LIKE)的设置函数为getQueryColumnsOpera,如果有需要重写即可,返回object
  * {
@@ -17,7 +18,7 @@ export abstract class BaseService {
   ctx: Context;
 
   /**service的model,数据库操作 */
-  abstract model: any;
+  abstract model: Repository<any>;
   /**返回{column:查询方式}.特殊的查询需要写入,不写入默认采用 =  */
   getQueryColumnsOpera() {
     return {};
@@ -126,11 +127,9 @@ export abstract class BaseService {
     // 找到原数据
     const originDataBuilder = this.model.createQueryBuilder();
     completeBuilderCondition(originDataBuilder, query, {}, this.model);
-    const origin_data = await originDataBuilder.getMany(query);
+    const origin_data = await originDataBuilder.getMany();
     if (origin_data.length <= 0) return;
     await this.model.update(query, updateData);
-    const new_data = await originDataBuilder.getMany(query);
-    if (new_data.length <= 0) return;
   }
 
   /**删除,单删多删都行 */
@@ -140,7 +139,7 @@ export abstract class BaseService {
     // 删除前,先查出来数据, 找到原数据
     const originDataBuilder = this.model.createQueryBuilder();
     completeBuilderCondition(originDataBuilder, query, {}, this.model);
-    const origin_data = await originDataBuilder.getMany(query);
+    const origin_data = await originDataBuilder.getMany();
     if (origin_data.length <= 0) return;
     const result = await this.model.delete(query);
     return result;

+ 3 - 3
src/frame/Options.ts

@@ -27,7 +27,7 @@ export class LoginVO {
     this.role = get(data, 'role');
     this.is_super = get(data, 'is_super');
   }
-  id: string;
+  id: number;
   nick_name: string;
   openid: string;
   role: string;
@@ -36,8 +36,8 @@ export class LoginVO {
 /**修改密码接收对象 */
 export class UPwdDTO {
   // @ApiProperty({ description: '用户数据id' })
-  @Rule(RuleType['string']().required())
-  id: string = undefined;
+  @Rule(RuleType['number']().required())
+  id: number = undefined;
   // @ApiProperty({ description: '密码' })
   @Rule(RuleType['string']().required())
   password: string = undefined;

+ 24 - 1
src/frame/conditionBuilder.ts

@@ -1,5 +1,6 @@
 import { get, head, last, isArray } from 'lodash';
 import { Opera } from './dbOpera';
+import { Between, Equal, ILike, In, IsNull, LessThan, LessThanOrEqual, Like, MoreThan, MoreThanOrEqual, Not } from 'typeorm';
 /**
  *
  * @param builder model的createQueryBuilder,只有到最后要查数据的时候才是异步的
@@ -28,64 +29,83 @@ export const completeBuilderCondition = (builder, query = {}, operas = {}, model
     const valueStr = `value${i}`;
     let valueArr = [];
     const strArr = [];
+    // 当前使用options方式查询,queryObject为条件整理后的对象,且json先咱不处理
+    const queryObject: any = {}
     switch (opera) {
       case Opera.Between:
+        queryObject[key] = Between(head(value), last(value));
         str = `"${key}" Between :${valueStr}_1 AND :${valueStr}_2`;
         params = { [`${valueStr}_1`]: head(value), [`${valueStr}_2`]: last(value) };
         break;
       case Opera.Not:
+        queryObject[key] = Not(value);
         str = `"${key}" != :${valueStr}`;
         params = { [`${valueStr}`]: value };
         break;
       case Opera.Like:
+        queryObject[key] = Like(`%${value}%`);
         str = `"${key}" Like :${valueStr}`;
         params = { [`${valueStr}`]: `%${value}%` };
         break;
       case Opera.LikeLeft:
+        queryObject[key] = Like(`%${value}`);
         str = `"${key}" Like :${valueStr}`;
         params = { [`${valueStr}`]: `%${value}` };
         break;
       case Opera.LikeRight:
+        queryObject[key] = Like(`${value}%`);
         str = `"${key}" Like :${valueStr}`;
         params = { [`${valueStr}`]: `${value}%` };
         break;
       case Opera.ILike:
+        queryObject[key] = ILike(`%${value}%`);
         str = `"${key}" Not Like :${valueStr}`;
         params = { [`${valueStr}`]: `%${value}%` };
         break;
       case Opera.ILikeLeft:
+        queryObject[key] = ILike(`%${value}`);
         str = `"${key}" Not Like :${valueStr}`;
         params = { [`${valueStr}`]: `%${value}` };
         break;
       case Opera.ILikeRight:
+        queryObject[key] = ILike(`${value}%`);
         str = `"${key}" Not Like :${valueStr}`;
         params = { [`${valueStr}`]: `${value}%` };
         break;
       case Opera.LessThan:
+        queryObject[key] = LessThan(value);
         str = `"${key}" < :${valueStr}`;
         params = { [`${valueStr}`]: value };
         break;
       case Opera.LessThanOrEqual:
+        queryObject[key] = LessThanOrEqual(value);
         str = `"${key}" <= :${valueStr}`;
         params = { [`${valueStr}`]: value };
         break;
       case Opera.MoreThan:
+        queryObject[key] = MoreThan(value);
         str = `"${key}" > :${valueStr}`;
         params = { [`${valueStr}`]: value };
         break;
       case Opera.MoreThanOrEqual:
+        queryObject[key] = MoreThanOrEqual(value);
         str = `"${key}" >= :${valueStr}`;
         params = { [`${valueStr}`]: value };
         break;
       case Opera.In:
+        if (!isArray(value)) queryObject[key] = In([value])
+        else queryObject[key] = In(value)
+
         if (!isArray(value)) str = `"${key}" IN (:${valueStr})`;
         else str = `"${key}" IN (:...${valueStr})`;
         params = { [`${valueStr}`]: value };
         break;
       case Opera.IsNull:
+        queryObject[key] = IsNull()
         str = `"${key}" IS NULL`;
         break;
       case Opera.IsNotNull:
+        queryObject[key] = Not(IsNull())
         str = `"${key}" IS NOT NULL`;
         params = { [`${valueStr}`]: value };
         break;
@@ -148,6 +168,7 @@ export const completeBuilderCondition = (builder, query = {}, operas = {}, model
         }
         break;
       case Opera.Equal:
+        queryObject[key] = Equal(value)
         str = `"${key}" = :${valueStr}`;
         params = { [`${valueStr}`]: value };
         break;
@@ -156,16 +177,18 @@ export const completeBuilderCondition = (builder, query = {}, operas = {}, model
         if (model) isString = columnIsString(key, model);
         if (isString) {
           // 字符串默认使用模糊查询
+          queryObject[key] = Like(`%${value}%`);
           str = `"${key}" Like :${valueStr}`;
           params = { [`${valueStr}`]: `%${value}%` };
         } else {
+          queryObject[key] = Equal(value)
           str = `"${key}" = :${valueStr}`;
           params = { [`${valueStr}`]: value };
         }
         break;
     }
     if (!str) continue;
-    builder[method](str, params);
+    builder[method](queryObject);
   }
 };
 

+ 10 - 0
src/initData/menus.ts

@@ -0,0 +1,10 @@
+export default [
+  {
+    name: '投诉与建议',
+    path: '/question',
+    order_num: 4,
+    type: '1',
+    route_name: 'question',
+    is_default: '0',
+  }
+]

+ 18 - 2
src/service/frame/Init.service.ts

@@ -9,6 +9,8 @@ import { DictType } from '../../entity/system/dictType.entity';
 import { Menus } from '../../entity/system/menus.entity';
 import { Role } from '../../entity/system/role.entity';
 import { Admin } from '../../entity/system/admin.entity';
+// import * as fs from 'fs'
+import InitMenusData from '../../initData/menus'
 @Autoload()
 @Scope(ScopeEnum.Singleton)
 export class InitService {
@@ -33,9 +35,22 @@ export class InitService {
     this.initMenus();
     this.initDict();
     this.initConfig();
+    this.initSelfMenus()
   }
+
+  async initSelfMenus() {
+    for (const i of InitMenusData) {
+      const route_name = get(i, 'route_name')
+      if (!route_name) continue;
+      const num = await this.menusModel.count({ where: { route_name } })
+      if (num > 0) continue;
+      await this.menusModel.insert(i);
+    }
+  }
+
+
   async initConfig() {
-    const data: any = { logo: [], name: '平台名' };
+    const data: any = { logo: [], name: '平台名', index_img: [] };
     const num = await this.configModel.count();
     if (num > 0) return;
     await this.configModel.insert(data);
@@ -50,7 +65,7 @@ export class InitService {
       nick_name: '系统管理员',
       is_super: '0',
     };
-    
+
     const query: any = { is_super: '0' }
     const is_exist = await this.adminModel.count({ where: query });
     if (!is_exist) return await this.adminModel.insert(data);
@@ -238,4 +253,5 @@ export class InitService {
     await this.dictTypeModel.insert(isUseType);
     await this.dictDataModel.insert(isUseData);
   }
+
 }

+ 7 - 79
src/service/question.service.ts

@@ -1,83 +1,11 @@
-import { Provide } from "@midwayjs/core";
-import { InjectEntityModel } from "@midwayjs/typeorm";
-import { Repository } from "typeorm";
-import { Question } from "../entity/question.entity";
-import { get, isNull, isString, isUndefined } from "lodash";
+import { InjectEntityModel } from '@midwayjs/typeorm';
+import { Repository } from 'typeorm';
+import { BaseService } from '../frame/BaseService';
+import { Provide } from '@midwayjs/core';
+import { Question } from '../entity/question.entity';
 
 @Provide()
-export class QuestionService {
+export class QuestionService extends BaseService {
   @InjectEntityModel(Question)
   model: Repository<Question>;
-
-  async query(query: object = {}, meta: any = {}) {
-    let skip = get(meta, 'skip', 0);
-    let limit = get(meta, 'limit', 0);
-    const order = get(meta, 'order', {});
-    const selects = get(meta, 'selects', []);
-    const builder = await this.model.createQueryBuilder();
-    if (query) builder.where(query);
-    if (selects.length > 0) {
-      // 字段是直接传来的,正常限制,需要加上model的name.否则会导致什么字段都没有
-      const modelName = this.model.metadata.name;
-      builder.select(selects.map(i => `${modelName}.${i}`));
-    }
-    // 组织查询顺序
-    let orderObject: any = {};
-    // 如果有自定义顺序,则按照自定义顺序来, 没有自定义顺序,默认按创建时间的desc查询
-    if (Object.keys(order).length > 0) {
-      for (const column in order) orderObject[column] = order[column];
-    } else orderObject = { question_id: 'DESC' };
-    // 分页
-    if (isString(skip)) {
-      skip = parseInt(skip);
-      if (isFinite(skip)) builder.skip(skip);
-    } else if (isFinite(skip)) builder.skip(skip);
-    if (isString(limit)) {
-      limit = parseInt(limit);
-      if (isFinite(limit)) builder.take(limit);
-    } else if (isFinite(limit)) builder.take(limit);
-    // 排序
-    builder.orderBy(orderObject);
-    const data = await builder.getMany();
-    const total = await builder.getCount();
-    return { data, total };
-  }
-
-  async create(data: object) {
-    const result = await this.model.insert(data);
-    const id = get(result, 'identifiers.0.id');
-    // 没有id估计是出错了
-    if (!id) return;
-    const createData = await this.fetch({ id });
-    return createData;
-  }
-
-  async fetch(query: object) {
-    const builder = this.model.createQueryBuilder();
-    builder.where(query)
-    const result = await builder.getOne();
-    return result;
-  }
-
-  /**修改,单修改/多修改是统一修改为 */
-  async update(query: object = {}, data: object) {
-    // 没有范围的修改不允许执行
-    if (Object.keys(query).length <= 0) return;
-    // 处理数据, 只将是本表的字段拿出来保存
-    const columns = this.model.metadata.columns;
-    /**将array的列设置 转换为object,以便query使用*/
-    const columnsObject = {};
-    // 整理成object
-    for (const c of columns) columnsObject[c.propertyName] = c.type.toString();
-    const updateData = {};
-    const notDealColumn = ['created_time', 'update_time', 'data_owner', '__v'];
-    for (const column in columnsObject) {
-      if (notDealColumn.includes(column)) continue;
-      const val = data[column];
-      if (isNull(val) || isUndefined(val)) continue;
-      updateData[column] = val;
-    }
-    await this.model.update(query, updateData);
-  }
-
-}
+}

+ 1 - 1
src/service/system/dictData.service.ts

@@ -6,6 +6,6 @@ import { DictData } from '../../entity/system/dictData.entity';
 
 @Provide()
 export class DictDataService extends BaseService {
-  @InjectEntityModel(DictData,'v2')
+  @InjectEntityModel(DictData)
   model: Repository<DictData>;
 }

+ 1 - 1
src/service/system/dictType.service.ts

@@ -6,6 +6,6 @@ import { DictType } from '../../entity/system/dictType.entity';
 
 @Provide()
 export class DictTypeService extends BaseService {
-  @InjectEntityModel(DictType,'v2')
+  @InjectEntityModel(DictType)
   model: Repository<DictType>;
 }