dify.go 2.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293
  1. package dify
  2. import (
  3. "errors"
  4. "github.com/go-resty/resty/v2"
  5. )
  6. type SessionResponse struct {
  7. Limit int `json:"limit"`
  8. HasMore bool `json:"has_more"`
  9. Data []SessionDatum `json:"data"`
  10. }
  11. type SessionDatum struct {
  12. ID string `json:"id"`
  13. Name string `json:"name"`
  14. Inputs Inputs `json:"inputs"`
  15. Status string `json:"status"`
  16. CreatedAt int64 `json:"created_at"`
  17. }
  18. type Inputs map[string]string
  19. type HistoryResponse struct {
  20. Limit int `json:"limit"`
  21. HasMore bool `json:"has_more"`
  22. Data []History `json:"data"`
  23. }
  24. type History struct {
  25. ID string `json:"id"`
  26. ConversationId string `json:"conversation_id"`
  27. Inputs Inputs `json:"inputs"`
  28. Query string `json:"query"`
  29. Answer string `json:"answer"`
  30. CreatedAt int64 `json:"created_at"`
  31. }
  32. // GetSessionList 获取会话列表
  33. func GetSessionList(baseUrl, token, user, lastId, limit string) (*SessionResponse, error) {
  34. data := &SessionResponse{}
  35. resp, err := NewDifyResty(baseUrl, token).
  36. R().
  37. SetResult(&data).
  38. SetQueryParam("user", user).
  39. SetQueryParam("last_id", lastId).
  40. SetQueryParam("limit", limit).
  41. Get("/conversations")
  42. if err != nil {
  43. return nil, err
  44. }
  45. if resp.IsError() {
  46. return nil, errors.New(resp.String())
  47. }
  48. return data, nil
  49. }
  50. // GetChatHistory 获取历史会话
  51. func GetChatHistory(baseUrl, token, user, conversationId, firstId, limit string) (*HistoryResponse, error) {
  52. data := &HistoryResponse{}
  53. resp, err := NewDifyResty(baseUrl, token).
  54. R().
  55. SetResult(&data).
  56. SetQueryParam("user", user).
  57. SetQueryParam("conversation_id", conversationId).
  58. SetQueryParam("first_id", firstId).
  59. SetQueryParam("limit", limit).
  60. Get("/messages")
  61. if err != nil {
  62. return nil, err
  63. }
  64. if resp.IsError() {
  65. return nil, errors.New(resp.String())
  66. }
  67. return data, nil
  68. }
  69. // NewResty 实例化dify实例
  70. func NewDifyResty(baseUrl, token string) *resty.Client {
  71. client := resty.New()
  72. client.SetRetryCount(2).
  73. SetHeader("Content-Type", "application/json").
  74. SetBaseURL(baseUrl).
  75. SetHeader("Authorization", "Bearer "+token)
  76. return client
  77. }