Spaces:
Paused
Paused
File size: 7,948 Bytes
f16d50c |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 |
package imitate
import (
"bufio"
"bytes"
"encoding/base64"
"encoding/json"
"fmt"
"io"
"os"
"regexp"
"strings"
http "github.com/bogdanfinn/fhttp"
"github.com/gin-gonic/gin"
"github.com/google/uuid"
"github.com/linweiyuan/go-chatgpt-api/api"
"github.com/linweiyuan/go-chatgpt-api/api/chatgpt"
"github.com/linweiyuan/go-logger/logger"
)
var (
reg *regexp.Regexp
)
func init() {
reg, _ = regexp.Compile("[^a-zA-Z0-9]+")
}
func CreateChatCompletions(c *gin.Context) {
var originalRequest APIRequest
err := c.BindJSON(&originalRequest)
if err != nil {
c.JSON(400, gin.H{"error": gin.H{
"message": "Request must be proper JSON",
"type": "invalid_request_error",
"param": nil,
"code": err.Error(),
}})
return
}
authHeader := c.GetHeader(api.AuthorizationHeader)
token := os.Getenv("IMITATE_ACCESS_TOKEN")
if authHeader != "" {
customAccessToken := strings.Replace(authHeader, "Bearer ", "", 1)
// Check if customAccessToken starts with sk-
if strings.HasPrefix(customAccessToken, "eyJhbGciOiJSUzI1NiI") {
token = customAccessToken
}
}
// 将聊天请求转换为ChatGPT请求。
translatedRequest, model := convertAPIRequest(originalRequest)
response, done := sendConversationRequest(c, translatedRequest, token)
if done {
return
}
defer func(Body io.ReadCloser) {
err := Body.Close()
if err != nil {
return
}
}(response.Body)
if HandleRequestError(c, response) {
return
}
var fullResponse string
id := generateId()
for i := 3; i > 0; i-- {
var continueInfo *ContinueInfo
var responsePart string
var continueSignal string
responsePart, continueInfo = Handler(c, response, originalRequest.Stream, id, model)
fullResponse += responsePart
continueSignal = os.Getenv("CONTINUE_SIGNAL")
if continueInfo == nil || continueSignal == "" {
break
}
println("Continuing conversation")
translatedRequest.Messages = nil
translatedRequest.Action = "continue"
translatedRequest.ConversationID = &continueInfo.ConversationID
translatedRequest.ParentMessageID = continueInfo.ParentID
response, done = sendConversationRequest(c, translatedRequest, token)
if done {
return
}
// 以下修复代码来自ChatGPT
// 在循环内部创建一个局部作用域,并将资源的引用传递给匿名函数,保证资源将在每次迭代结束时被正确释放
func() {
defer func(Body io.ReadCloser) {
err := Body.Close()
if err != nil {
return
}
}(response.Body)
}()
if HandleRequestError(c, response) {
return
}
}
if !originalRequest.Stream {
c.JSON(200, newChatCompletion(fullResponse, model, id))
} else {
c.String(200, "data: [DONE]\n\n")
}
}
func generateId() string {
id := uuid.NewString()
id = strings.ReplaceAll(id, "-", "")
id = base64.StdEncoding.EncodeToString([]byte(id))
id = reg.ReplaceAllString(id, "")
return "chatcmpl-" + id
}
func convertAPIRequest(apiRequest APIRequest) (chatgpt.CreateConversationRequest, string) {
chatgptRequest := NewChatGPTRequest()
var model = "gpt-3.5-turbo-0613"
if strings.HasPrefix(apiRequest.Model, "gpt-3.5") {
chatgptRequest.Model = "text-davinci-002-render-sha"
}
if strings.HasPrefix(apiRequest.Model, "gpt-4") {
arkoseToken, err := api.GetArkoseToken()
if err == nil {
chatgptRequest.ArkoseToken = arkoseToken
} else {
fmt.Println("Error getting Arkose token: ", err)
}
chatgptRequest.Model = apiRequest.Model
model = "gpt-4-0613"
}
if apiRequest.PluginIDs != nil {
chatgptRequest.PluginIDs = apiRequest.PluginIDs
chatgptRequest.Model = "gpt-4-plugins"
}
for _, apiMessage := range apiRequest.Messages {
if apiMessage.Role == "system" {
apiMessage.Role = "critic"
}
chatgptRequest.AddMessage(apiMessage.Role, apiMessage.Content)
}
return chatgptRequest, model
}
func NewChatGPTRequest() chatgpt.CreateConversationRequest {
enableHistory := os.Getenv("ENABLE_HISTORY") == ""
return chatgpt.CreateConversationRequest{
Action: "next",
ParentMessageID: uuid.NewString(),
Model: "text-davinci-002-render-sha",
HistoryAndTrainingDisabled: !enableHistory,
}
}
func sendConversationRequest(c *gin.Context, request chatgpt.CreateConversationRequest, accessToken string) (*http.Response, bool) {
jsonBytes, _ := json.Marshal(request)
req, _ := http.NewRequest(http.MethodPost, api.ChatGPTApiUrlPrefix+"/backend-api/conversation", bytes.NewBuffer(jsonBytes))
req.Header.Set("User-Agent", api.UserAgent)
req.Header.Set(api.AuthorizationHeader, accessToken)
req.Header.Set("Accept", "text/event-stream")
if api.PUID != "" {
req.Header.Set("Cookie", "_puid="+api.PUID)
}
resp, err := api.Client.Do(req)
if err != nil {
c.AbortWithStatusJSON(http.StatusInternalServerError, api.ReturnMessage(err.Error()))
return nil, true
}
if resp.StatusCode != http.StatusOK {
if resp.StatusCode == http.StatusUnauthorized {
logger.Error(fmt.Sprintf(api.AccountDeactivatedErrorMessage, c.GetString(api.EmailKey)))
}
responseMap := make(map[string]interface{})
json.NewDecoder(resp.Body).Decode(&responseMap)
c.AbortWithStatusJSON(resp.StatusCode, responseMap)
return nil, true
}
return resp, false
}
func Handler(c *gin.Context, response *http.Response, stream bool, id string, model string) (string, *ContinueInfo) {
maxTokens := false
// Create a bufio.Reader from the response body
reader := bufio.NewReader(response.Body)
// Read the response byte by byte until a newline character is encountered
if stream {
// Response content type is text/event-stream
c.Header("Content-Type", "text/event-stream")
} else {
// Response content type is application/json
c.Header("Content-Type", "application/json")
}
var finishReason string
var previousText StringStruct
var originalResponse ChatGPTResponse
var isRole = true
for {
line, err := reader.ReadString('\n')
if err != nil {
if err == io.EOF {
break
}
return "", nil
}
if len(line) < 6 {
continue
}
// Remove "data: " from the beginning of the line
line = line[6:]
// Check if line starts with [DONE]
if !strings.HasPrefix(line, "[DONE]") {
// Parse the line as JSON
err = json.Unmarshal([]byte(line), &originalResponse)
if err != nil {
continue
}
if originalResponse.Error != nil {
c.JSON(500, gin.H{"error": originalResponse.Error})
return "", nil
}
if originalResponse.Message.Author.Role != "assistant" || originalResponse.Message.Content.Parts == nil {
continue
}
if originalResponse.Message.Metadata.MessageType != "next" && originalResponse.Message.Metadata.MessageType != "continue" || originalResponse.Message.EndTurn != nil {
continue
}
if (len(originalResponse.Message.Content.Parts) == 0 || originalResponse.Message.Content.Parts[0] == "") && !isRole {
continue
}
responseString := ConvertToString(&originalResponse, &previousText, isRole, id, model)
isRole = false
if stream {
_, err = c.Writer.WriteString(responseString)
if err != nil {
return "", nil
}
}
// Flush the response writer buffer to ensure that the client receives each line as it's written
c.Writer.Flush()
if originalResponse.Message.Metadata.FinishDetails != nil {
if originalResponse.Message.Metadata.FinishDetails.Type == "max_tokens" {
maxTokens = true
}
finishReason = originalResponse.Message.Metadata.FinishDetails.Type
}
} else {
if stream {
if finishReason == "" {
finishReason = "stop"
}
finalLine := StopChunk(finishReason, id, model)
_, err := c.Writer.WriteString("data: " + finalLine.String() + "\n\n")
if err != nil {
return "", nil
}
}
}
}
if !maxTokens {
return previousText.Text, nil
}
return previousText.Text, &ContinueInfo{
ConversationID: originalResponse.ConversationID,
ParentID: originalResponse.Message.ID,
}
}
|