gpt.go 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081
  1. package gpt
  2. import (
  3. "encoding/json"
  4. "fmt"
  5. "time"
  6. "github.com/eryajf/chatgpt-dingtalk/config"
  7. "github.com/eryajf/chatgpt-dingtalk/public/logger"
  8. "github.com/go-resty/resty/v2"
  9. )
  10. const BASEURL = "https://api.openai.com/v1/"
  11. // ChatGPTRequestBody 请求体
  12. type ChatGPTRequestBody struct {
  13. Model string `json:"model"`
  14. Prompt string `json:"prompt"`
  15. MaxTokens uint `json:"max_tokens"`
  16. Temperature float64 `json:"temperature"`
  17. }
  18. // ChatGPTResponseBody 响应体
  19. type ChatGPTResponseBody struct {
  20. ID string `json:"id"`
  21. Object string `json:"object"`
  22. Created int `json:"created"`
  23. Model string `json:"model"`
  24. Choices []ChoiceItem `json:"choices"`
  25. Usage map[string]interface{} `json:"usage"`
  26. }
  27. type ChoiceItem struct {
  28. Text string `json:"text"`
  29. Index int `json:"index"`
  30. Logprobs int `json:"logprobs"`
  31. FinishReason string `json:"finish_reason"`
  32. }
  33. // Completions gtp文本模型回复
  34. //curl https://api.openai.com/v1/completions
  35. //-H "Content-Type: application/json"
  36. //-H "Authorization: Bearer your chatGPT key"
  37. //-d '{"model": "text-davinci-003", "prompt": "give me good song", "temperature": 0, "max_tokens": 7}'
  38. func Completions(msg string) (string, error) {
  39. cfg := config.LoadConfig()
  40. requestBody := ChatGPTRequestBody{
  41. Model: cfg.Model,
  42. Prompt: msg,
  43. MaxTokens: cfg.MaxTokens,
  44. Temperature: cfg.Temperature,
  45. }
  46. client := resty.New().
  47. SetRetryCount(2).
  48. SetRetryWaitTime(1*time.Second).
  49. SetTimeout(cfg.SessionTimeout).
  50. SetHeader("Content-Type", "application/json").
  51. SetHeader("Authorization", "Bearer "+cfg.ApiKey)
  52. rsp, err := client.R().SetBody(requestBody).Post(BASEURL + "completions")
  53. if err != nil {
  54. return "", fmt.Errorf("request openai failed, err : %v", err)
  55. }
  56. if rsp.StatusCode() != 200 {
  57. return "", fmt.Errorf("gtp api status code not equals 200, code is %d ,details: %v ", rsp.StatusCode(), string(rsp.Body()))
  58. } else {
  59. logger.Info(fmt.Sprintf("response gtp json string : %v", string(rsp.Body())))
  60. }
  61. gptResponseBody := &ChatGPTResponseBody{}
  62. err = json.Unmarshal(rsp.Body(), gptResponseBody)
  63. if err != nil {
  64. return "", err
  65. }
  66. var reply string
  67. if len(gptResponseBody.Choices) > 0 {
  68. reply = gptResponseBody.Choices[0].Text
  69. }
  70. return reply, nil
  71. }