File size: 9,157 Bytes
6a37520
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
// src/bing-chat.ts
import crypto from "node:crypto";
import WebSocket from "ws";

// src/fetch.ts
var fetch = globalThis.fetch;
if (typeof fetch !== "function") {
  throw new Error("Invalid environment: global fetch not defined");
}

// src/bing-chat.ts
var terminalChar = "";
var BingChat = class {
  constructor(opts) {
    const { cookie, debug = false } = opts;
    this._cookie = cookie;
    this._debug = !!debug;
    if (!this._cookie) {
      throw new Error("Bing cookie is required");
    }
  }
  /**
   * Sends a message to Bing Chat, waits for the response to resolve, and returns
   * the response.
   *
   * If you want to receive a stream of partial responses, use `opts.onProgress`.
   *
   * @param message - The prompt message to send
   * @param opts.conversationId - Optional ID of a conversation to continue (defaults to a random UUID)
   * @param opts.onProgress - Optional callback which will be invoked every time the partial response is updated
   *
   * @returns The response from Bing Chat
   */
  async sendMessage(text, opts = {}) {
    const {
      invocationId = "1",
      onProgress,
      locale = "en-US",
      market = "en-US",
      region = "US",
      location,
      messageType = "Chat",
      variant = "Balanced",
    } = opts;
    let { conversationId, clientId, conversationSignature } = opts;
    const isStartOfSession = !(
      conversationId &&
      clientId &&
      conversationSignature
    );
    if (isStartOfSession) {
      const conversation = await this.createConversation();
      conversationId = conversation.conversationId;
      clientId = conversation.clientId;
      conversationSignature = conversation.conversationSignature;
    }
    const result = {
      author: "bot",
      id: crypto.randomUUID(),
      conversationId,
      clientId,
      conversationSignature,
      invocationId: `${parseInt(invocationId, 10) + 1}`,
      text: "",
    };
    const responseP = new Promise(async (resolve, reject) => {
      const chatWebsocketUrl = "wss://sydney.bing.com/sydney/ChatHub";
      const ws = new WebSocket(chatWebsocketUrl, {
        perMessageDeflate: false,
        headers: {
          "accept-language": "en-US,en;q=0.9",
          "cache-control": "no-cache",
          pragma: "no-cache",
        },
      });
      let isFulfilled = false;
      function cleanup() {
        ws.close();
        ws.removeAllListeners();
      }
      ws.on("error", (error) => {
        console.warn("WebSocket error:", error);
        cleanup();
        if (!isFulfilled) {
          isFulfilled = true;
          reject(new Error(`WebSocket error: ${error.toString()}`));
        }
      });
      ws.on("close", () => {});
      ws.on("open", () => {
        ws.send(`{"protocol":"json","version":1}${terminalChar}`);
      });
      let stage = 0;
      ws.on("message", (data) => {
        var _a, _b;
        const objects = data.toString().split(terminalChar);
        const messages = objects
          .map((object) => {
            try {
              return JSON.parse(object);
            } catch (error) {
              return object;
            }
          })
          .filter(Boolean);
        if (!messages.length) {
          return;
        }
        if (stage === 0) {
          ws.send(`{"type":6}${terminalChar}`);
          const traceId = crypto.randomBytes(16).toString("hex");
          const locationStr = location
            ? `lat:${location.lat};long:${location.lng};re=${
                location.re || "1000m"
              };`
            : void 0;
          const optionsSets = [
            "nlu_direct_response_filter",
            "deepleo",
            "enable_debug_commands",
            "disable_emoji_spoken_text",
            "responsible_ai_policy_235",
            "enablemm",
            "trffovrd",
            "h3toppfp3",
            "forcerep",
            "cpcttl1d",
            "dv3sugg",
          ];
          if (variant == "Balanced") {
            optionsSets.push("galileo");
            optionsSets.push("glprompt");
          } else if (variant == "Creative") {
            optionsSets.push("h3imaginative");
            optionsSets.push("gencontentv3");
          } else if (variant == "Precise") {
            optionsSets.push("h3precise");
          }
          const params = {
            arguments: [
              {
                source: "cib",
                optionsSets,
                allowedMessageTypes: [
                  "Chat",
                  "InternalSearchQuery",
                  "InternalSearchResult",
                  "InternalLoaderMessage",
                  "RenderCardRequest",
                  "AdsQuery",
                  "SemanticSerp",
                ],
                sliceIds: [],
                traceId,
                isStartOfSession,
                message: {
                  locale,
                  market,
                  region,
                  location: locationStr,
                  author: "user",
                  inputMethod: "Keyboard",
                  messageType,
                  text,
                },
                conversationSignature,
                participant: { id: clientId },
                conversationId,
              },
            ],
            invocationId,
            target: "chat",
            type: 4,
          };
          if (this._debug) {
            console.log(chatWebsocketUrl, JSON.stringify(params, null, 2));
          }
          ws.send(`${JSON.stringify(params)}${terminalChar}`);
          ++stage;
          return;
        }
        for (const message of messages) {
          if (message.type === 1) {
            const update = message;
            const msg =
              (_a = update.arguments[0].messages) == null ? void 0 : _a[0];
            if (!msg) continue;
            if (!msg.messageType) {
              result.author = msg.author;
              result.text = msg.text;
              result.detail = msg;
              onProgress == null ? void 0 : onProgress(result);
            }
          } else if (message.type === 2) {
            const response = message;
            if (this._debug) {
              console.log("RESPONSE", JSON.stringify(response, null, 2));
            }
            const validMessages =
              (_b = response.item.messages) == null
                ? void 0
                : _b.filter((m) => !m.messageType);
            const lastMessage =
              validMessages == null
                ? void 0
                : validMessages[
                    (validMessages == null ? void 0 : validMessages.length) - 1
                  ];
            if (lastMessage) {
              result.conversationId = response.item.conversationId;
              result.conversationExpiryTime =
                response.item.conversationExpiryTime;
              result.author = lastMessage.author;
              result.text = lastMessage.text;
              result.detail = lastMessage;
              if (!isFulfilled) {
                isFulfilled = true;
                resolve(result);
              }
            }
          } else if (message.type === 3) {
            if (!isFulfilled) {
              isFulfilled = true;
              resolve(result);
            }
            cleanup();
            return;
          } else {
          }
        }
      });
    });
    return responseP;
  }
  async createConversation() {
    const requestId = crypto.randomUUID();
    const cookie = this._cookie.includes(";")
      ? this._cookie
      : `_U=${this._cookie}`;
    return fetch("https://www.bing.com/turing/conversation/create", {
      headers: {
        accept: "application/json",
        "accept-language": "en-US,en;q=0.9",
        "content-type": "application/json",
        "sec-ch-ua":
          '"Not_A Brand";v="99", "Microsoft Edge";v="109", "Chromium";v="109"',
        "sec-ch-ua-arch": '"x86"',
        "sec-ch-ua-bitness": '"64"',
        "sec-ch-ua-full-version": '"109.0.1518.78"',
        "sec-ch-ua-full-version-list":
          '"Not_A Brand";v="99.0.0.0", "Microsoft Edge";v="109.0.1518.78", "Chromium";v="109.0.5414.120"',
        "sec-ch-ua-mobile": "?0",
        "sec-ch-ua-model": "",
        "sec-ch-ua-platform": '"macOS"',
        "sec-ch-ua-platform-version": '"12.6.0"',
        "sec-fetch-dest": "empty",
        "sec-fetch-mode": "cors",
        "sec-fetch-site": "same-origin",
        "x-edge-shopping-flag": "1",
        "x-ms-client-request-id": requestId,
        "x-ms-useragent":
          "azsdk-js-api-client-factory/1.0.0-beta.1 core-rest-pipeline/1.10.0 OS/MacIntel",
        "x-forwarded-for": "1.1.1.1",
        cookie,
      },
      referrer: "https://www.bing.com/search",
      referrerPolicy: "origin-when-cross-origin",
      body: null,
      method: "GET",
      mode: "cors",
      credentials: "include",
    }).then((res) => {
      if (res.ok) {
        return res.json();
      } else {
        throw new Error(
          `unexpected HTTP error createConversation ${res.status}: ${res.statusText}`,
        );
      }
    });
  }
};
export { BingChat };
//# sourceMappingURL=index.js.map