Spaces:
Runtime error
Runtime error
File size: 13,114 Bytes
15bfa8d |
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 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 |
import { fetch, WebSocket, debug } from '@/lib/isomorphic'
import WebSocketAsPromised from 'websocket-as-promised'
import {
SendMessageParams,
BingConversationStyle,
ConversationResponse,
ChatResponseMessage,
ConversationInfo,
InvocationEventType,
ChatError,
ErrorCode,
ChatUpdateCompleteResponse,
ImageInfo,
KBlobResponse
} from './types'
import { convertMessageToMarkdown, websocketUtils, streamAsyncIterable } from './utils'
import { WatchDog, createChunkDecoder } from '@/lib/utils'
type Params = SendMessageParams<{ bingConversationStyle: BingConversationStyle }>
const OPTIONS_SETS = [
'nlu_direct_response_filter',
'deepleo',
'disable_emoji_spoken_text',
'responsible_ai_policy_235',
'enablemm',
'iycapbing',
'iyxapbing',
'objopinion',
'rweasgv2',
'dagslnv1',
'dv3sugg',
'autosave',
'iyoloxap',
'iyoloneutral',
'clgalileo',
'gencontentv3',
]
export class BingWebBot {
protected conversationContext?: ConversationInfo
protected cookie: string
protected ua: string
protected endpoint = ''
private lastText = ''
private asyncTasks: Array<Promise<any>> = []
constructor(opts: {
cookie: string
ua: string
bingConversationStyle?: BingConversationStyle
conversationContext?: ConversationInfo
}) {
const { cookie, ua, conversationContext } = opts
this.cookie = cookie?.includes(';') ? cookie : `_EDGE_V=1; _U=${cookie}`
this.ua = ua
this.conversationContext = conversationContext
}
static buildChatRequest(conversation: ConversationInfo) {
const optionsSets = OPTIONS_SETS
if (conversation.conversationStyle === BingConversationStyle.Precise) {
optionsSets.push('h3precise')
} else if (conversation.conversationStyle === BingConversationStyle.Creative) {
optionsSets.push('h3imaginative')
}
return {
arguments: [
{
source: 'cib',
optionsSets,
allowedMessageTypes: [
'Chat',
'InternalSearchQuery',
'Disengaged',
'InternalLoaderMessage',
'SemanticSerp',
'GenerateContentQuery',
'SearchQuery',
],
sliceIds: [
'winmuid1tf',
'anssupfor_c',
'imgchatgptv2',
'tts2cf',
'contansperf',
'mlchatpc8500w',
'mlchatpc2',
'ctrlworkpay',
'winshortmsgtf',
'cibctrl',
'sydtransctrl',
'sydconfigoptc',
'0705trt4',
'517opinion',
'628ajcopus0',
'330uaugs0',
'529rwea',
'0626snptrcs0',
'424dagslnv1',
],
isStartOfSession: conversation.invocationId === 0,
message: {
author: 'user',
inputMethod: 'Keyboard',
text: conversation.prompt,
imageUrl: conversation.imageUrl,
messageType: 'Chat',
},
conversationId: conversation.conversationId,
conversationSignature: conversation.conversationSignature,
participant: { id: conversation.clientId },
},
],
invocationId: conversation.invocationId.toString(),
target: 'chat',
type: InvocationEventType.StreamInvocation,
}
}
async createConversation(): Promise<ConversationResponse> {
const headers = {
'Accept-Encoding': 'gzip, deflate, br, zsdch',
'User-Agent': this.ua,
'x-ms-useragent': 'azsdk-js-api-client-factory/1.0.0-beta.1 core-rest-pipeline/1.10.0 OS/Win32',
cookie: this.cookie,
}
let resp: ConversationResponse | undefined
try {
const response = await fetch(this.endpoint + '/api/create', { method: 'POST', headers, redirect: 'error', mode: 'cors', credentials: 'include' })
if (response.status === 404) {
throw new ChatError('Not Found', ErrorCode.NOTFOUND_ERROR)
}
resp = await response.json() as ConversationResponse
} catch (err) {
console.error('create conversation error', err)
}
if (!resp?.result) {
throw new ChatError('Invalid response', ErrorCode.UNKOWN_ERROR)
}
const { value, message } = resp.result || {}
if (value !== 'Success') {
const errorMsg = `${value}: ${message}`
if (value === 'UnauthorizedRequest') {
throw new ChatError(errorMsg, ErrorCode.BING_UNAUTHORIZED)
}
if (value === 'Forbidden') {
throw new ChatError(errorMsg, ErrorCode.BING_FORBIDDEN)
}
throw new ChatError(errorMsg, ErrorCode.UNKOWN_ERROR)
}
return resp
}
private async createContext(conversationStyle: BingConversationStyle) {
if (!this.conversationContext) {
const conversation = await this.createConversation()
this.conversationContext = {
conversationId: conversation.conversationId,
conversationSignature: conversation.conversationSignature,
clientId: conversation.clientId,
invocationId: 0,
conversationStyle,
prompt: '',
}
}
return this.conversationContext
}
async sendMessage(params: Params) {
try {
await this.createContext(params.options.bingConversationStyle)
Object.assign(this.conversationContext!, { prompt: params.prompt, imageUrl: params.imageUrl })
return this.sydneyProxy(params)
} catch (error) {
params.onEvent({
type: 'ERROR',
error: error instanceof ChatError ? error : new ChatError('Catch Error', ErrorCode.UNKOWN_ERROR),
})
}
}
private async sydneyProxy(params: Params) {
const abortController = new AbortController()
const response = await fetch(this.endpoint + '/api/sydney', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
signal: abortController.signal,
body: JSON.stringify(this.conversationContext!)
})
if (response.status !== 200) {
params.onEvent({
type: 'ERROR',
error: new ChatError(
'Unknown error',
ErrorCode.UNKOWN_ERROR,
),
})
}
params.signal?.addEventListener('abort', () => {
abortController.abort()
})
const textDecoder = createChunkDecoder()
for await (const chunk of streamAsyncIterable(response.body!)) {
this.parseEvents(params, websocketUtils.unpackMessage(textDecoder(chunk)))
}
}
async sendWs() {
const wsConfig: ConstructorParameters<typeof WebSocketAsPromised>[1] = {
packMessage: websocketUtils.packMessage,
unpackMessage: websocketUtils.unpackMessage,
createWebSocket: (url) => new WebSocket(url, {
headers: {
'accept-language': 'zh-CN,zh;q=0.9',
'cache-control': 'no-cache',
'User-Agent': this.ua,
pragma: 'no-cache',
cookie: this.cookie,
}
})
}
const wsp = new WebSocketAsPromised('wss://sydney.bing.com/sydney/ChatHub', wsConfig)
wsp.open().then(() => {
wsp.sendPacked({ protocol: 'json', version: 1 })
wsp.sendPacked({ type: 6 })
wsp.sendPacked(BingWebBot.buildChatRequest(this.conversationContext!))
})
return wsp
}
private async useWs(params: Params) {
const wsp = await this.sendWs()
const watchDog = new WatchDog()
wsp.onUnpackedMessage.addListener((events) => {
watchDog.watch(() => {
wsp.sendPacked({ type: 6 })
})
this.parseEvents(params, events)
})
wsp.onClose.addListener(() => {
watchDog.reset()
params.onEvent({ type: 'DONE' })
wsp.removeAllListeners()
})
params.signal?.addEventListener('abort', () => {
wsp.removeAllListeners()
wsp.close()
})
}
private async createImage(prompt: string, id: string) {
try {
const headers = {
'Accept-Encoding': 'gzip, deflate, br, zsdch',
'User-Agent': this.ua,
'x-ms-useragent': 'azsdk-js-api-client-factory/1.0.0-beta.1 core-rest-pipeline/1.10.0 OS/Win32',
cookie: this.cookie,
}
const query = new URLSearchParams({
prompt,
id
})
const response = await fetch(this.endpoint + '/api/image?' + query.toString(),
{
method: 'POST',
headers,
mode: 'cors',
credentials: 'include'
})
.then(res => res.text())
if (response) {
this.lastText += '\n' + response
}
} catch (err) {
console.error('Create Image Error', err)
}
}
private buildKnowledgeApiPayload(imageUrl: string, conversationStyle: BingConversationStyle) {
const imageInfo: ImageInfo = {}
let imageBase64: string | undefined = undefined
const knowledgeRequest = {
imageInfo,
knowledgeRequest: {
invokedSkills: [
'ImageById'
],
subscriptionId: 'Bing.Chat.Multimodal',
invokedSkillsRequestData: {
enableFaceBlur: true
},
convoData: {
convoid: this.conversationContext?.conversationId,
convotone: conversationStyle,
}
},
}
if (imageUrl.startsWith('data:image/')) {
imageBase64 = imageUrl.replace('data:image/', '');
const partIndex = imageBase64.indexOf(',')
if (partIndex) {
imageBase64 = imageBase64.substring(partIndex + 1)
}
} else {
imageInfo.url = imageUrl
}
return { knowledgeRequest, imageBase64 }
}
async uploadImage(imageUrl: string, conversationStyle: BingConversationStyle = BingConversationStyle.Creative): Promise<KBlobResponse | undefined> {
if (!imageUrl) {
return
}
await this.createContext(conversationStyle)
const payload = this.buildKnowledgeApiPayload(imageUrl, conversationStyle)
const response = await fetch(this.endpoint + '/api/kblob',
{
headers: {
'Content-Type': 'application/json',
},
method: 'POST',
mode: 'cors',
credentials: 'include',
body: JSON.stringify(payload),
})
.then(res => res.json())
.catch(e => {
console.log('Error', e)
})
return response
}
private async generateContent(message: ChatResponseMessage) {
if (message.contentType === 'IMAGE') {
this.asyncTasks.push(this.createImage(message.text, message.messageId))
}
}
private async parseEvents(params: Params, events: any) {
const conversation = this.conversationContext!
events?.forEach(async (event: ChatUpdateCompleteResponse) => {
debug('bing event', event)
if (event.type === 3) {
await Promise.all(this.asyncTasks)
this.asyncTasks = []
params.onEvent({ type: 'UPDATE_ANSWER', data: { text: this.lastText } })
params.onEvent({ type: 'DONE' })
conversation.invocationId = parseInt(event.invocationId, 10) + 1
} else if (event.type === 1) {
const messages = event.arguments[0].messages
if (messages) {
const text = convertMessageToMarkdown(messages[0])
this.lastText = text
params.onEvent({ type: 'UPDATE_ANSWER', data: { text, spokenText: messages[0].text, throttling: event.arguments[0].throttling } })
}
} else if (event.type === 2) {
const messages = event.item.messages as ChatResponseMessage[] | undefined
if (!messages) {
params.onEvent({
type: 'ERROR',
error: new ChatError(
event.item.result.error || 'Unknown error',
event.item.result.value === 'Throttled' ? ErrorCode.THROTTLE_LIMIT
: event.item.result.value === 'CaptchaChallenge' ? (this.conversationContext?.conversationId?.includes('BingProdUnAuthenticatedUsers') ? ErrorCode.BING_UNAUTHORIZED : ErrorCode.BING_CAPTCHA)
: ErrorCode.UNKOWN_ERROR
),
})
return
}
const limited = messages.some((message) =>
message.contentOrigin === 'TurnLimiter'
|| message.messageType === 'Disengaged'
)
if (limited) {
params.onEvent({
type: 'ERROR',
error: new ChatError(
'Sorry, you have reached chat limit in this conversation.',
ErrorCode.CONVERSATION_LIMIT,
),
})
return
}
const lastMessage = event.item.messages.at(-1) as ChatResponseMessage
const specialMessage = event.item.messages.find(message => message.author === 'bot' && message.contentType === 'IMAGE')
if (specialMessage) {
this.generateContent(specialMessage)
}
if (lastMessage) {
const text = convertMessageToMarkdown(lastMessage)
this.lastText = text
params.onEvent({
type: 'UPDATE_ANSWER',
data: { text, throttling: event.item.throttling, suggestedResponses: lastMessage.suggestedResponses, sourceAttributions: lastMessage.sourceAttributions },
})
}
}
})
}
resetConversation() {
this.conversationContext = undefined
}
}
|