Browse Source

添加SQL自动日志。

NorthLan 6 years ago
parent
commit
ec5bd538c4

+ 3 - 1
zen-api/src/main/kotlin/com/gxzc/zen/api/sys/mapper/SysUploadInfoMapper.kt

@@ -12,4 +12,6 @@ import org.springframework.stereotype.Repository
  * @since 2018-06-01
  */
 @Repository
-interface SysUploadInfoMapper : BaseMapper<SysUploadInfo>
+interface SysUploadInfoMapper : BaseMapper<SysUploadInfo>{
+    fun test()
+}

+ 1 - 0
zen-api/src/main/kotlin/com/gxzc/zen/api/sys/service/ISysUploadInfoService.kt

@@ -14,6 +14,7 @@ import java.io.File
  * @since 2018-06-01
  */
 interface ISysUploadInfoService : BaseService<SysUploadInfo> {
+    fun test()
     /**
      * 添加文件数据
      */

+ 4 - 0
zen-api/src/main/kotlin/com/gxzc/zen/api/sys/service/impl/SysUploadInfoServiceImpl.kt

@@ -21,6 +21,10 @@ import java.util.*
  */
 @Service
 class SysUploadInfoServiceImpl : ServiceImpl<SysUploadInfoMapper, SysUploadInfo>(), ISysUploadInfoService {
+    override fun test() {
+        baseMapper.test()
+    }
+
     override fun addUploadFileInfo(fileMetadata: ZenFileMetadata, file: File) {
         val entity = SysUploadInfo().apply {
             // filename

+ 163 - 0
zen-api/src/main/kotlin/com/gxzc/zen/logging/aop/LogDBInterceptor.kt

@@ -0,0 +1,163 @@
+package com.gxzc.zen.logging.aop
+
+import com.alibaba.dubbo.common.logger.LoggerFactory
+import com.baomidou.mybatisplus.toolkit.PluginUtils
+import com.gxzc.zen.common.properties.PlatformProperties
+import com.gxzc.zen.logging.constants.LogConstants
+import com.gxzc.zen.logging.model.LogDB
+import com.gxzc.zen.logging.util.MQLogUtil
+import com.gxzc.zen.umps.util.SSOUtil
+import net.sf.jsqlparser.parser.CCJSqlParserUtil
+import net.sf.jsqlparser.schema.Table
+import net.sf.jsqlparser.statement.delete.Delete
+import net.sf.jsqlparser.statement.insert.Insert
+import net.sf.jsqlparser.statement.select.PlainSelect
+import net.sf.jsqlparser.statement.select.Select
+import net.sf.jsqlparser.statement.update.Update
+import org.apache.ibatis.executor.statement.StatementHandler
+import org.apache.ibatis.mapping.BoundSql
+import org.apache.ibatis.mapping.MappedStatement
+import org.apache.ibatis.mapping.SqlCommandType
+import org.apache.ibatis.plugin.*
+import org.apache.ibatis.reflection.SystemMetaObject
+import org.springframework.beans.factory.annotation.Autowired
+import org.springframework.stereotype.Component
+import java.sql.Connection
+import java.util.*
+import java.util.concurrent.ConcurrentHashMap
+
+
+/**
+ * DB日志拦截器 SQLParse 拦截
+ * @author NorthLan
+ * @date 2018/8/24
+ * @url https://noahlan.com
+ */
+@Intercepts(Signature(type = StatementHandler::class, method = "prepare", args = [Connection::class, Integer::class]))
+@Component
+open class LogDBInterceptor : Interceptor {
+    companion object {
+        private val logger = LoggerFactory.getLogger(LogDBInterceptor::class.java)
+
+        // 缓存表名信息,提高性能
+        private val tableNameMapping = ConcurrentHashMap<String, String>()
+    }
+
+    @Autowired
+    private lateinit var platformProperties: PlatformProperties
+
+    override fun intercept(invocation: Invocation): Any {
+        logger.debug("操作数据库日志记录开始...")
+        val startTime = System.currentTimeMillis()
+        val statementHandler = PluginUtils.realTarget(invocation.target) as StatementHandler
+        val metaObject = SystemMetaObject.forObject(statementHandler)
+        // 获取SQL操作类型
+        val mappedStatement = metaObject.getValue("delegate.mappedStatement") as MappedStatement
+        val boundSql = metaObject.getValue("delegate.boundSql") as BoundSql
+        if (boundSql.sql.startsWith("show table")) {
+            return invocation.proceed()
+        }
+
+        // 构造消息体
+        val platformId = platformProperties.id!!
+        var account: String? = null
+        var accountName: String? = null
+        try {
+            account = SSOUtil.getCurAccount()!!
+            accountName = SSOUtil.getCurUserInfo()!!.username
+        } catch (e: Throwable) {
+        }
+        val logDB = LogDB().apply {
+            this.platformId = platformId
+            this.operatorAccount = account
+            this.operatorName = accountName
+            this.operatorTime = Date()
+        }
+        // 设定sql
+        logDB.sql = boundSql.sql
+
+        val statement = CCJSqlParserUtil.parse(logDB.sql)
+
+        var dbName: String? = null
+        var tableName: String? = null
+        val table: Table?
+
+        // 操作类型
+        when (mappedStatement.sqlCommandType) {
+            SqlCommandType.SELECT -> {
+                val plainSelect = (statement as Select).selectBody as PlainSelect
+                table = (plainSelect.fromItem as Table)
+                logDB.type = LogConstants.DB_TYPE_SELECT
+            }
+            SqlCommandType.DELETE -> {
+                table = (statement as Delete).table
+                logDB.type = LogConstants.DB_TYPE_DELETE
+            }
+            SqlCommandType.INSERT -> {
+                table = (statement as Insert).table
+                logDB.type = LogConstants.DB_TYPE_INSERT
+            }
+            SqlCommandType.UPDATE -> {
+                table = (statement as Update).tables[0]
+                logDB.type = LogConstants.DB_TYPE_UPDATE
+            }
+            else -> {
+                // 直接跳过
+                return invocation.proceed()
+            }
+        }
+
+        if (table != null) {
+            val tableArr = table.name.split("\\.")
+            if (tableArr.size == 1) {
+                tableName = tableArr[0]
+            } else {
+                dbName = tableArr[0]
+                tableName = tableArr[1]
+            }
+        }
+
+        // tableId & tableName
+        val connection = invocation.args[0] as Connection
+        logDB.tableId = tableName
+        logDB.tableName = getTableNameCN(tableName, connection, dbName)
+
+        // 发消息
+        MQLogUtil.logDB(logDB)
+        logger.debug("操作数据库日志记录结束,耗时: ${System.currentTimeMillis() - startTime} ms")
+        return invocation.proceed()
+    }
+
+    override fun plugin(target: Any): Any {
+        return if (target is StatementHandler) {
+            Plugin.wrap(target, this)
+        } else {
+            target
+        }
+    }
+
+    override fun setProperties(properties: Properties?) {
+    }
+
+    private fun getTableNameCN(tableName: String?, conn: Connection, dbName: String? = null): String? {
+        if (tableNameMapping.containsKey(tableName)) {
+            return tableNameMapping[tableName]!!
+        }
+        // 读取表信息并存入缓存中
+        val metaData = conn.metaData
+        val rs = metaData.getTables(dbName, dbName, null, null)
+        while (rs.next()) {
+            val tName = rs.getString("TABLE_NAME")
+            val remarks = rs.getString("REMARKS")
+            if (tName != null && remarks != null) {
+                tableNameMapping[tName] = remarks
+            }
+        }
+        // 再次读取缓存信息
+        return if (tableNameMapping.containsKey(tableName)) {
+            tableNameMapping[tableName]!!
+        } else {
+            null
+        }
+    }
+}

+ 23 - 3
zen-api/src/main/kotlin/com/gxzc/zen/logging/model/LogAuth.kt

@@ -9,20 +9,40 @@ import java.util.*
  * @date 2018/8/23
  * @url https://noahlan.com
  */
-data class LogAuth(val type: Int, val method: Int, val operator: String) : Serializable {
+open class LogAuth : Serializable {
     companion object {
         private const val serialVersionUID = 10000000000000001L
     }
 
+    /**
+     * 类型
+     */
+    var type: Int = 1
+
+    /**
+     * 登陆方式
+     */
+    var method: Int = 1
+
+    /**
+     * 操作人account
+     */
+    var operatorAccount: String? = null
+
+    /**
+     * 操作人name
+     */
+    var operatorName: String? = null
+
     /**
      * 操作时间
      */
-    val time: Date = Date()
+    var operatorTime: Date = Date()
 
     /**
      * 客户端host
      */
-    var host: String? = null
+    var remoteHost: String? = null
 
     /**
      * 备注

+ 17 - 3
zen-api/src/main/kotlin/com/gxzc/zen/logging/model/LogBiz.kt

@@ -9,11 +9,15 @@ import java.util.*
  * @date 2018/8/23
  * @url https://noahlan.com
  */
-data class LogBiz(val pid: Int, val operator: String) : Serializable {
+open class LogBiz : Serializable {
     companion object {
         private const val serialVersionUID = 10000000000000004L
     }
 
+    /**
+     * 平台ID
+     */
+    var platformId: Int? = null
     /**
      * 业务ID
      */
@@ -29,15 +33,25 @@ data class LogBiz(val pid: Int, val operator: String) : Serializable {
      */
     var bizContent: String? = null
 
+    /**
+     * 操作人account
+     */
+    var operatorAccount: String? = null
+
+    /**
+     * 操作人name
+     */
+    var operatorName: String? = null
+
     /**
      * 操作时间
      */
-    var operTime = Date()
+    var operatorTime: Date = Date()
 
     /**
      * 客户端host
      */
-    var host: String? = null
+    var remoteHost: String? = null
 
     /**
      * 备注

+ 23 - 3
zen-api/src/main/kotlin/com/gxzc/zen/logging/model/LogDB.kt

@@ -9,15 +9,20 @@ import java.util.*
  * @date 2018/8/23
  * @url https://noahlan.com
  */
-data class LogDB(val pid: Int, val type: Int, val operator: String) : Serializable {
+open class LogDB : Serializable {
     companion object {
         private const val serialVersionUID = 10000000000000003L
     }
 
     /**
-     * 操作时间
+     * 平台ID
+     */
+    var platformId: Int? = null
+
+    /**
+     * 操作 类型
      */
-    var operTime: Date = Date()
+    var type: Int = 1
 
     /**
      * 执行sql
@@ -34,6 +39,21 @@ data class LogDB(val pid: Int, val type: Int, val operator: String) : Serializab
      */
     var tableName: String? = null
 
+    /**
+     * 操作人account
+     */
+    var operatorAccount: String? = null
+
+    /**
+     * 操作人name
+     */
+    var operatorName: String? = null
+
+    /**
+     * 操作时间
+     */
+    var operatorTime: Date = Date()
+
     /**
      * 备注
      */

+ 0 - 11
zen-api/src/main/kotlin/com/gxzc/zen/logging/util/LoggerUtils.kt

@@ -1,11 +0,0 @@
-package com.gxzc.zen.logging.util
-
-/**
- * 日志工具类
- * @author NorthLan
- * @date 2018/8/23
- * @url https://noahlan.com
- */
-object LoggerUtils {
-
-}

+ 1 - 1
zen-api/src/main/kotlin/com/gxzc/zen/logging/util/MQLogUtil.kt

@@ -45,7 +45,7 @@ object MQLogUtil {
                     }
 
                     override fun onSuccess(sendResult: SendResult) {
-                        logger.debug("Send logRequest success! {0}", sendResult.sendStatus)
+                        logger.debug("Send logRequest success! " + sendResult.sendStatus)
                     }
                 })
     }

+ 3 - 1
zen-api/src/main/resources/mapping/sys/SysUploadInfoMapper.xml

@@ -25,5 +25,7 @@
         <result column="ext3" property="ext3" />
         <result column="ext4" property="ext4" />
     </resultMap>
-
+<select id="test">
+    select * from sys_upload_info
+</select>
 </mapper>

+ 12 - 10
zen-web/src/main/kotlin/com/gxzc/zen/web/sys/controller/TestController.kt

@@ -1,11 +1,11 @@
 package com.gxzc.zen.web.sys.controller
 
+import com.gxzc.zen.api.sys.service.ISysUploadInfoService
 import com.gxzc.zen.common.base.BaseController
-import com.gxzc.zen.common.dto.RequestDto
-import com.gxzc.zen.logging.annotation.LogAnnotation
-import org.springframework.http.ResponseEntity
-import org.springframework.web.bind.annotation.*
-import java.io.IOException
+import org.springframework.beans.factory.annotation.Autowired
+import org.springframework.web.bind.annotation.GetMapping
+import org.springframework.web.bind.annotation.RequestMapping
+import org.springframework.web.bind.annotation.RestController
 
 
 /**
@@ -18,10 +18,12 @@ import java.io.IOException
 @RequestMapping("test")
 class TestController : BaseController() {
 
-    @PostMapping("a/{id}")
-    @LogAnnotation(remark = "备注")
-    fun get(@PathVariable id: Long, @RequestParam a: String, @RequestParam b: Int, @RequestBody dto: RequestDto): ResponseEntity<*> {
-        throw IOException("2333")
-        return ResponseEntity.ok(2)
+    @Autowired
+    private lateinit var uploadService: ISysUploadInfoService
+
+    @GetMapping("a")
+    fun a() {
+        uploadService.getUploadInfoById(1L)
+//        uploadService.test()
     }
 }

+ 3 - 3
zen-web/src/main/resources/application-orm.yml

@@ -15,7 +15,7 @@ mybatis-plus:
     cache-enabled: true #配置的缓存的全局开关
     lazyLoadingEnabled: true #延时加载的开关
     multipleResultSetsEnabled: true #延时加载一个属性时会加载该对象全部属性,否则按需加载属性
-    interceptors: com.baomidou.mybatisplus.plugins.OptimisticLockerInterceptor, com.baomidou.mybatisplus.plugins.PaginationInterceptor #, com.gxzc.zen.orm.data.authority.interceptor.ZenDataAuthorityInterceptor
+    interceptors: com.baomidou.mybatisplus.plugins.OptimisticLockerInterceptor, com.baomidou.mybatisplus.plugins.PaginationInterceptor,com.gxzc.zen.logging.aop.LogDBInterceptor #, com.gxzc.zen.orm.data.authority.interceptor.ZenDataAuthorityInterceptor
     # log-impl: org.apache.ibatis.logging.stdout.StdOutImpl #打印sql语句,调试用
 
 ---
@@ -35,7 +35,7 @@ spring:
     driver-class-name: com.mysql.jdbc.Driver
     username: archives
     password: archives
-    url: jdbc:mysql://192.168.1.10:3306/archives_sys?autoReconnect=true&useUnicode=true&characterEncoding=utf-8&useSSL=false&zeroDateTimeBehavior=convertToNull
+    url: jdbc:mysql://192.168.1.10:3306/archives_sys?useInformationSchema=true&autoReconnect=true&useUnicode=true&characterEncoding=utf-8&useSSL=false&zeroDateTimeBehavior=convertToNull
 # &useJDBCCompliantTimezoneShift=true&useLegacyDatetimeCode=false&serverTimezone=UTC
 
 ---
@@ -55,5 +55,5 @@ spring:
     driver-class-name: com.mysql.jdbc.Driver
     username: archives
     password: archives
-    url: jdbc:mysql://rm-wz9on0bqphwygm14j.mysql.rds.aliyuncs.com:3306/archives_sys?autoReconnect=true&useUnicode=true&characterEncoding=utf-8&useSSL=false&zeroDateTimeBehavior=convertToNull
+    url: jdbc:mysql://rm-wz9on0bqphwygm14j.mysql.rds.aliyuncs.com:3306/archives_sys?useInformationSchema=true&autoReconnect=true&useUnicode=true&characterEncoding=utf-8&useSSL=false&zeroDateTimeBehavior=convertToNull
 # &useJDBCCompliantTimezoneShift=true&useLegacyDatetimeCode=false&serverTimezone=UTC