chat.go 1.9 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667
  1. package db
  2. import (
  3. "errors"
  4. "strings"
  5. "gorm.io/gorm"
  6. )
  7. type ChatType uint
  8. const Q ChatType = 1
  9. const A ChatType = 2
  10. type Chat struct {
  11. gorm.Model
  12. Username string `gorm:"type:varchar(50);not null;comment:'用户名'" json:"username"` // 用户名
  13. Source string `gorm:"type:varchar(50);comment:'用户来源:群聊名字,私聊'" json:"source"` // 对话来源
  14. ChatType ChatType `gorm:"type:tinyint(1);default:1;comment:'类型:1问, 2答'" json:"chat_type"` // 状态
  15. ParentContent uint `gorm:"default:0;comment:'父消息编号(编号为0时表示为首条)'" json:"parent_content"`
  16. Content string `gorm:"type:varchar(128);comment:'内容'" json:"content"` // 问题或回答的内容
  17. }
  18. // 需要考虑下如何处理一个完整对话的问题
  19. // 如果是单聊,那么就记录上下两句就好了
  20. // 如果是串聊,则需要知道哪条是第一条,并依次往下记录
  21. // Add 添加资源
  22. func (c Chat) Add() (uint, error) {
  23. err := DB.Create(&c).Error
  24. return c.ID, err
  25. }
  26. // Find 获取单个资源
  27. func (c Chat) Find(filter map[string]interface{}, data *Chat) error {
  28. return DB.Where(filter).First(&data).Error
  29. }
  30. type ChatListReq struct {
  31. Username string `json:"username" form:"username"`
  32. Source string `json:"source" form:"source"`
  33. }
  34. // List 获取数据列表
  35. func (c Chat) List(req ChatListReq) ([]*Chat, error) {
  36. var list []*Chat
  37. db := DB.Model(&Chat{}).Order("created_at ASC")
  38. userName := strings.TrimSpace(req.Username)
  39. if userName != "" {
  40. db = db.Where("username = ?", userName)
  41. }
  42. source := strings.TrimSpace(req.Source)
  43. if source != "" {
  44. db = db.Where("source = ?", source)
  45. }
  46. err := db.Find(&list).Error
  47. return list, err
  48. }
  49. // Exist 判断资源是否存在
  50. func (c Chat) Exist(filter map[string]interface{}) bool {
  51. var dataObj Chat
  52. err := DB.Where(filter).First(&dataObj).Error
  53. return !errors.Is(err, gorm.ErrRecordNotFound)
  54. }