You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

session_update.go 15KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512
  1. // Copyright 2016 The Xorm Authors. All rights reserved.
  2. // Use of this source code is governed by a BSD-style
  3. // license that can be found in the LICENSE file.
  4. package xorm
  5. import (
  6. "errors"
  7. "fmt"
  8. "reflect"
  9. "strconv"
  10. "strings"
  11. "xorm.io/builder"
  12. "xorm.io/core"
  13. )
  14. func (session *Session) cacheUpdate(table *core.Table, tableName, sqlStr string, args ...interface{}) error {
  15. if table == nil ||
  16. session.tx != nil {
  17. return ErrCacheFailed
  18. }
  19. oldhead, newsql := session.statement.convertUpdateSQL(sqlStr)
  20. if newsql == "" {
  21. return ErrCacheFailed
  22. }
  23. for _, filter := range session.engine.dialect.Filters() {
  24. newsql = filter.Do(newsql, session.engine.dialect, table)
  25. }
  26. session.engine.logger.Debug("[cacheUpdate] new sql", oldhead, newsql)
  27. var nStart int
  28. if len(args) > 0 {
  29. if strings.Index(sqlStr, "?") > -1 {
  30. nStart = strings.Count(oldhead, "?")
  31. } else {
  32. // only for pq, TODO: if any other databse?
  33. nStart = strings.Count(oldhead, "$")
  34. }
  35. }
  36. cacher := session.engine.getCacher(tableName)
  37. session.engine.logger.Debug("[cacheUpdate] get cache sql", newsql, args[nStart:])
  38. ids, err := core.GetCacheSql(cacher, tableName, newsql, args[nStart:])
  39. if err != nil {
  40. rows, err := session.NoCache().queryRows(newsql, args[nStart:]...)
  41. if err != nil {
  42. return err
  43. }
  44. defer rows.Close()
  45. ids = make([]core.PK, 0)
  46. for rows.Next() {
  47. var res = make([]string, len(table.PrimaryKeys))
  48. err = rows.ScanSlice(&res)
  49. if err != nil {
  50. return err
  51. }
  52. var pk core.PK = make([]interface{}, len(table.PrimaryKeys))
  53. for i, col := range table.PKColumns() {
  54. if col.SQLType.IsNumeric() {
  55. n, err := strconv.ParseInt(res[i], 10, 64)
  56. if err != nil {
  57. return err
  58. }
  59. pk[i] = n
  60. } else if col.SQLType.IsText() {
  61. pk[i] = res[i]
  62. } else {
  63. return errors.New("not supported")
  64. }
  65. }
  66. ids = append(ids, pk)
  67. }
  68. session.engine.logger.Debug("[cacheUpdate] find updated id", ids)
  69. } /*else {
  70. session.engine.LogDebug("[xorm:cacheUpdate] del cached sql:", tableName, newsql, args)
  71. cacher.DelIds(tableName, genSqlKey(newsql, args))
  72. }*/
  73. for _, id := range ids {
  74. sid, err := id.ToString()
  75. if err != nil {
  76. return err
  77. }
  78. if bean := cacher.GetBean(tableName, sid); bean != nil {
  79. sqls := splitNNoCase(sqlStr, "where", 2)
  80. if len(sqls) == 0 || len(sqls) > 2 {
  81. return ErrCacheFailed
  82. }
  83. sqls = splitNNoCase(sqls[0], "set", 2)
  84. if len(sqls) != 2 {
  85. return ErrCacheFailed
  86. }
  87. kvs := strings.Split(strings.TrimSpace(sqls[1]), ",")
  88. for idx, kv := range kvs {
  89. sps := strings.SplitN(kv, "=", 2)
  90. sps2 := strings.Split(sps[0], ".")
  91. colName := sps2[len(sps2)-1]
  92. // treat quote prefix, suffix and '`' as quotes
  93. quotes := append(strings.Split(session.engine.Quote(""), ""), "`")
  94. if strings.ContainsAny(colName, strings.Join(quotes, "")) {
  95. colName = strings.TrimSpace(eraseAny(colName, quotes...))
  96. } else {
  97. session.engine.logger.Debug("[cacheUpdate] cannot find column", tableName, colName)
  98. return ErrCacheFailed
  99. }
  100. if col := table.GetColumn(colName); col != nil {
  101. fieldValue, err := col.ValueOf(bean)
  102. if err != nil {
  103. session.engine.logger.Error(err)
  104. } else {
  105. session.engine.logger.Debug("[cacheUpdate] set bean field", bean, colName, fieldValue.Interface())
  106. if col.IsVersion && session.statement.checkVersion {
  107. session.incrVersionFieldValue(fieldValue)
  108. } else {
  109. fieldValue.Set(reflect.ValueOf(args[idx]))
  110. }
  111. }
  112. } else {
  113. session.engine.logger.Errorf("[cacheUpdate] ERROR: column %v is not table %v's",
  114. colName, table.Name)
  115. }
  116. }
  117. session.engine.logger.Debug("[cacheUpdate] update cache", tableName, id, bean)
  118. cacher.PutBean(tableName, sid, bean)
  119. }
  120. }
  121. session.engine.logger.Debug("[cacheUpdate] clear cached table sql:", tableName)
  122. cacher.ClearIds(tableName)
  123. return nil
  124. }
  125. // Update records, bean's non-empty fields are updated contents,
  126. // condiBean' non-empty filds are conditions
  127. // CAUTION:
  128. // 1.bool will defaultly be updated content nor conditions
  129. // You should call UseBool if you have bool to use.
  130. // 2.float32 & float64 may be not inexact as conditions
  131. func (session *Session) Update(bean interface{}, condiBean ...interface{}) (int64, error) {
  132. if session.isAutoClose {
  133. defer session.Close()
  134. }
  135. if session.statement.lastError != nil {
  136. return 0, session.statement.lastError
  137. }
  138. v := rValue(bean)
  139. t := v.Type()
  140. var colNames []string
  141. var args []interface{}
  142. // handle before update processors
  143. for _, closure := range session.beforeClosures {
  144. closure(bean)
  145. }
  146. cleanupProcessorsClosures(&session.beforeClosures) // cleanup after used
  147. if processor, ok := interface{}(bean).(BeforeUpdateProcessor); ok {
  148. processor.BeforeUpdate()
  149. }
  150. // --
  151. var err error
  152. var isMap = t.Kind() == reflect.Map
  153. var isStruct = t.Kind() == reflect.Struct
  154. if isStruct {
  155. if err := session.statement.setRefBean(bean); err != nil {
  156. return 0, err
  157. }
  158. if len(session.statement.TableName()) <= 0 {
  159. return 0, ErrTableNotFound
  160. }
  161. if session.statement.ColumnStr == "" {
  162. colNames, args = session.statement.buildUpdates(bean, false, false,
  163. false, false, true)
  164. } else {
  165. colNames, args, err = session.genUpdateColumns(bean)
  166. if err != nil {
  167. return 0, err
  168. }
  169. }
  170. } else if isMap {
  171. colNames = make([]string, 0)
  172. args = make([]interface{}, 0)
  173. bValue := reflect.Indirect(reflect.ValueOf(bean))
  174. for _, v := range bValue.MapKeys() {
  175. colNames = append(colNames, session.engine.Quote(v.String())+" = ?")
  176. args = append(args, bValue.MapIndex(v).Interface())
  177. }
  178. } else {
  179. return 0, ErrParamsType
  180. }
  181. table := session.statement.RefTable
  182. if session.statement.UseAutoTime && table != nil && table.Updated != "" {
  183. if !session.statement.columnMap.contain(table.Updated) &&
  184. !session.statement.omitColumnMap.contain(table.Updated) {
  185. colNames = append(colNames, session.engine.Quote(table.Updated)+" = ?")
  186. col := table.UpdatedColumn()
  187. val, t := session.engine.nowTime(col)
  188. args = append(args, val)
  189. var colName = col.Name
  190. if isStruct {
  191. session.afterClosures = append(session.afterClosures, func(bean interface{}) {
  192. col := table.GetColumn(colName)
  193. setColumnTime(bean, col, t)
  194. })
  195. }
  196. }
  197. }
  198. // for update action to like "column = column + ?"
  199. incColumns := session.statement.getInc()
  200. for _, v := range incColumns {
  201. colNames = append(colNames, session.engine.Quote(v.colName)+" = "+session.engine.Quote(v.colName)+" + ?")
  202. args = append(args, v.arg)
  203. }
  204. // for update action to like "column = column - ?"
  205. decColumns := session.statement.getDec()
  206. for _, v := range decColumns {
  207. colNames = append(colNames, session.engine.Quote(v.colName)+" = "+session.engine.Quote(v.colName)+" - ?")
  208. args = append(args, v.arg)
  209. }
  210. // for update action to like "column = expression"
  211. exprColumns := session.statement.getExpr()
  212. for _, v := range exprColumns {
  213. colNames = append(colNames, session.engine.Quote(v.colName)+" = "+v.expr)
  214. }
  215. if err = session.statement.processIDParam(); err != nil {
  216. return 0, err
  217. }
  218. var autoCond builder.Cond
  219. if !session.statement.noAutoCondition {
  220. condBeanIsStruct := false
  221. if len(condiBean) > 0 {
  222. if c, ok := condiBean[0].(map[string]interface{}); ok {
  223. autoCond = builder.Eq(c)
  224. } else {
  225. ct := reflect.TypeOf(condiBean[0])
  226. k := ct.Kind()
  227. if k == reflect.Ptr {
  228. k = ct.Elem().Kind()
  229. }
  230. if k == reflect.Struct {
  231. var err error
  232. autoCond, err = session.statement.buildConds(session.statement.RefTable, condiBean[0], true, true, false, true, false)
  233. if err != nil {
  234. return 0, err
  235. }
  236. condBeanIsStruct = true
  237. } else {
  238. return 0, ErrConditionType
  239. }
  240. }
  241. }
  242. if !condBeanIsStruct && table != nil {
  243. if col := table.DeletedColumn(); col != nil && !session.statement.unscoped { // tag "deleted" is enabled
  244. autoCond1 := session.engine.CondDeleted(session.engine.Quote(col.Name))
  245. if autoCond == nil {
  246. autoCond = autoCond1
  247. } else {
  248. autoCond = autoCond.And(autoCond1)
  249. }
  250. }
  251. }
  252. }
  253. st := &session.statement
  254. var sqlStr string
  255. var condArgs []interface{}
  256. var condSQL string
  257. cond := session.statement.cond.And(autoCond)
  258. var doIncVer = (table != nil && table.Version != "" && session.statement.checkVersion)
  259. var verValue *reflect.Value
  260. if doIncVer {
  261. verValue, err = table.VersionColumn().ValueOf(bean)
  262. if err != nil {
  263. return 0, err
  264. }
  265. cond = cond.And(builder.Eq{session.engine.Quote(table.Version): verValue.Interface()})
  266. colNames = append(colNames, session.engine.Quote(table.Version)+" = "+session.engine.Quote(table.Version)+" + 1")
  267. }
  268. condSQL, condArgs, err = builder.ToSQL(cond)
  269. if err != nil {
  270. return 0, err
  271. }
  272. if len(condSQL) > 0 {
  273. condSQL = "WHERE " + condSQL
  274. }
  275. if st.OrderStr != "" {
  276. condSQL = condSQL + fmt.Sprintf(" ORDER BY %v", st.OrderStr)
  277. }
  278. var tableName = session.statement.TableName()
  279. // TODO: Oracle support needed
  280. var top string
  281. if st.LimitN > 0 {
  282. if st.Engine.dialect.DBType() == core.MYSQL {
  283. condSQL = condSQL + fmt.Sprintf(" LIMIT %d", st.LimitN)
  284. } else if st.Engine.dialect.DBType() == core.SQLITE {
  285. tempCondSQL := condSQL + fmt.Sprintf(" LIMIT %d", st.LimitN)
  286. cond = cond.And(builder.Expr(fmt.Sprintf("rowid IN (SELECT rowid FROM %v %v)",
  287. session.engine.Quote(tableName), tempCondSQL), condArgs...))
  288. condSQL, condArgs, err = builder.ToSQL(cond)
  289. if err != nil {
  290. return 0, err
  291. }
  292. if len(condSQL) > 0 {
  293. condSQL = "WHERE " + condSQL
  294. }
  295. } else if st.Engine.dialect.DBType() == core.POSTGRES {
  296. tempCondSQL := condSQL + fmt.Sprintf(" LIMIT %d", st.LimitN)
  297. cond = cond.And(builder.Expr(fmt.Sprintf("CTID IN (SELECT CTID FROM %v %v)",
  298. session.engine.Quote(tableName), tempCondSQL), condArgs...))
  299. condSQL, condArgs, err = builder.ToSQL(cond)
  300. if err != nil {
  301. return 0, err
  302. }
  303. if len(condSQL) > 0 {
  304. condSQL = "WHERE " + condSQL
  305. }
  306. } else if st.Engine.dialect.DBType() == core.MSSQL {
  307. if st.OrderStr != "" && st.Engine.dialect.DBType() == core.MSSQL &&
  308. table != nil && len(table.PrimaryKeys) == 1 {
  309. cond = builder.Expr(fmt.Sprintf("%s IN (SELECT TOP (%d) %s FROM %v%v)",
  310. table.PrimaryKeys[0], st.LimitN, table.PrimaryKeys[0],
  311. session.engine.Quote(tableName), condSQL), condArgs...)
  312. condSQL, condArgs, err = builder.ToSQL(cond)
  313. if err != nil {
  314. return 0, err
  315. }
  316. if len(condSQL) > 0 {
  317. condSQL = "WHERE " + condSQL
  318. }
  319. } else {
  320. top = fmt.Sprintf("TOP (%d) ", st.LimitN)
  321. }
  322. }
  323. }
  324. if len(colNames) <= 0 {
  325. return 0, errors.New("No content found to be updated")
  326. }
  327. sqlStr = fmt.Sprintf("UPDATE %v%v SET %v %v",
  328. top,
  329. session.engine.Quote(tableName),
  330. strings.Join(colNames, ", "),
  331. condSQL)
  332. res, err := session.exec(sqlStr, append(args, condArgs...)...)
  333. if err != nil {
  334. return 0, err
  335. } else if doIncVer {
  336. if verValue != nil && verValue.IsValid() && verValue.CanSet() {
  337. session.incrVersionFieldValue(verValue)
  338. }
  339. }
  340. if cacher := session.engine.getCacher(tableName); cacher != nil && session.statement.UseCache {
  341. // session.cacheUpdate(table, tableName, sqlStr, args...)
  342. session.engine.logger.Debug("[cacheUpdate] clear table ", tableName)
  343. cacher.ClearIds(tableName)
  344. cacher.ClearBeans(tableName)
  345. }
  346. // handle after update processors
  347. if session.isAutoCommit {
  348. for _, closure := range session.afterClosures {
  349. closure(bean)
  350. }
  351. if processor, ok := interface{}(bean).(AfterUpdateProcessor); ok {
  352. session.engine.logger.Debug("[event]", tableName, " has after update processor")
  353. processor.AfterUpdate()
  354. }
  355. } else {
  356. lenAfterClosures := len(session.afterClosures)
  357. if lenAfterClosures > 0 {
  358. if value, has := session.afterUpdateBeans[bean]; has && value != nil {
  359. *value = append(*value, session.afterClosures...)
  360. } else {
  361. afterClosures := make([]func(interface{}), lenAfterClosures)
  362. copy(afterClosures, session.afterClosures)
  363. // FIXME: if bean is a map type, it will panic because map cannot be as map key
  364. session.afterUpdateBeans[bean] = &afterClosures
  365. }
  366. } else {
  367. if _, ok := interface{}(bean).(AfterUpdateProcessor); ok {
  368. session.afterUpdateBeans[bean] = nil
  369. }
  370. }
  371. }
  372. cleanupProcessorsClosures(&session.afterClosures) // cleanup after used
  373. // --
  374. return res.RowsAffected()
  375. }
  376. func (session *Session) genUpdateColumns(bean interface{}) ([]string, []interface{}, error) {
  377. table := session.statement.RefTable
  378. colNames := make([]string, 0, len(table.ColumnsSeq()))
  379. args := make([]interface{}, 0, len(table.ColumnsSeq()))
  380. for _, col := range table.Columns() {
  381. if !col.IsVersion && !col.IsCreated && !col.IsUpdated {
  382. if session.statement.omitColumnMap.contain(col.Name) {
  383. continue
  384. }
  385. }
  386. if col.MapType == core.ONLYFROMDB {
  387. continue
  388. }
  389. fieldValuePtr, err := col.ValueOf(bean)
  390. if err != nil {
  391. return nil, nil, err
  392. }
  393. fieldValue := *fieldValuePtr
  394. if col.IsAutoIncrement {
  395. switch fieldValue.Type().Kind() {
  396. case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int, reflect.Int64:
  397. if fieldValue.Int() == 0 {
  398. continue
  399. }
  400. case reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint, reflect.Uint64:
  401. if fieldValue.Uint() == 0 {
  402. continue
  403. }
  404. case reflect.String:
  405. if len(fieldValue.String()) == 0 {
  406. continue
  407. }
  408. case reflect.Ptr:
  409. if fieldValue.Pointer() == 0 {
  410. continue
  411. }
  412. }
  413. }
  414. if (col.IsDeleted && !session.statement.unscoped) || col.IsCreated {
  415. continue
  416. }
  417. if len(session.statement.columnMap) > 0 {
  418. if !session.statement.columnMap.contain(col.Name) {
  419. continue
  420. } else if _, ok := session.statement.incrColumns[col.Name]; ok {
  421. continue
  422. } else if _, ok := session.statement.decrColumns[col.Name]; ok {
  423. continue
  424. }
  425. }
  426. // !evalphobia! set fieldValue as nil when column is nullable and zero-value
  427. if _, ok := getFlagForColumn(session.statement.nullableMap, col); ok {
  428. if col.Nullable && isZero(fieldValue.Interface()) {
  429. var nilValue *int
  430. fieldValue = reflect.ValueOf(nilValue)
  431. }
  432. }
  433. if col.IsUpdated && session.statement.UseAutoTime /*&& isZero(fieldValue.Interface())*/ {
  434. // if time is non-empty, then set to auto time
  435. val, t := session.engine.nowTime(col)
  436. args = append(args, val)
  437. var colName = col.Name
  438. session.afterClosures = append(session.afterClosures, func(bean interface{}) {
  439. col := table.GetColumn(colName)
  440. setColumnTime(bean, col, t)
  441. })
  442. } else if col.IsVersion && session.statement.checkVersion {
  443. args = append(args, 1)
  444. } else {
  445. arg, err := session.value2Interface(col, fieldValue)
  446. if err != nil {
  447. return colNames, args, err
  448. }
  449. args = append(args, arg)
  450. }
  451. colNames = append(colNames, session.engine.Quote(col.Name)+" = ?")
  452. }
  453. return colNames, args, nil
  454. }