-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathplugin.py
More file actions
497 lines (395 loc) · 14.6 KB
/
plugin.py
File metadata and controls
497 lines (395 loc) · 14.6 KB
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
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
# -*- coding: utf-8 -*-
###
# Asyncio ChatGPT Plugin for Limnoria (Production Final)
# - Per-user + per-channel memory
# - Thread-safe asyncio execution
# - Cooldowns (encapsulated)
# - Moderation (cached)
# - Registry-safe config handling
# - Reset command
# - IRC-safe chunked output (prevents apparent truncation)
# - Math mode: answers in no more than 6 lines
###
import supybot.log as log
import supybot.conf as conf
from supybot import callbacks
from supybot.commands import wrap
import supybot.registry as registry
try:
import asyncio
except ImportError as ie:
raise Exception("Cannot import module: {}".format(ie))
import time
import random
import re
import os
import importlib
from functools import lru_cache
from .cooldown import CooldownManager
from . import __version__ as PLUGIN_VERSION
# ----------------------------
# Environment / API Setup
# ----------------------------
def _load_dotenv_if_available():
try:
dotenv = importlib.import_module("dotenv")
load_dotenv = getattr(dotenv, "load_dotenv", None)
if callable(load_dotenv):
load_dotenv()
except Exception:
# Optional dependency; environment variables may already be set.
pass
_load_dotenv_if_available()
client = None
ACTIVE_CHAT_MODEL = None
def _chat_model_candidates():
"""Ordered model fallback list for chat completions."""
env_value = os.getenv("OPENAI_CHAT_MODELS", "")
if env_value.strip():
models = [m.strip() for m in env_value.split(",") if m.strip()]
if models:
return models
# Default chain: keep low-cost first, then broader compatibility options.
return ["gpt-4o-mini", "gpt-4.1-mini", "gpt-4.1", "gpt-4o"]
def _is_model_unavailable_error(error):
text = str(error).lower()
signals = [
"model",
"does not exist",
"not found",
"invalid model",
"deprecated",
"decommissioned",
"no longer available",
"is not available",
]
return "model" in text and any(sig in text for sig in signals[1:])
def _create_chat_completion_with_fallback(openai_client, **kwargs):
"""Try candidate models in order, persisting a known-good winner."""
global ACTIVE_CHAT_MODEL
candidates = _chat_model_candidates()
if ACTIVE_CHAT_MODEL and ACTIVE_CHAT_MODEL in candidates:
candidates = [ACTIVE_CHAT_MODEL] + [
m for m in candidates if m != ACTIVE_CHAT_MODEL
]
last_error = None
for model_name in candidates:
try:
response = openai_client.chat.completions.create(
model=model_name,
**kwargs,
)
if ACTIVE_CHAT_MODEL != model_name:
log.warning("[Asyncio] Chat model switched to '{}'".format(model_name))
ACTIVE_CHAT_MODEL = model_name
return response
except Exception as e:
last_error = e
if _is_model_unavailable_error(e):
log.warning(
"[Asyncio] Chat model '{}' unavailable, trying next fallback: {}".format(
model_name, e
)
)
continue
raise
if last_error:
raise last_error
raise RuntimeError("No chat model candidates configured.")
def _ensure_openai_client():
global client
if client is not None:
return client
api_key = os.getenv("OPENAI_API_KEY")
if not api_key:
raise ValueError("OPENAI_API_KEY not set in environment.")
try:
openai_module = importlib.import_module("openai")
openai_ctor = getattr(openai_module, "OpenAI")
except Exception as e:
raise ImportError(
"The 'openai' package is required. Install it from requirements.txt."
) from e
client = openai_ctor(api_key=api_key)
return client
# ----------------------------
# Safe Limnoria Config Helpers
# ----------------------------
def _unwrap_value(value, default=None):
"""Extract native Python values from Limnoria registry wrapper types."""
try:
return getattr(value, "value", value)
except Exception:
return default
def _to_int(value, default):
try:
v = _unwrap_value(value, default)
if v is None:
return default
return int(v)
except Exception:
return default
def _to_bool(value, default=False):
try:
return bool(_unwrap_value(value, default))
except Exception:
return default
def _to_str(value, default=""):
try:
v = _unwrap_value(value, default)
return str(v)
except Exception:
return default
def get_config():
default_config = {
"max_tokens": 512,
"cooldown": 5,
"irc_chunk": 350,
"botnick": "Assistant",
"language": "British",
"debug": False,
}
supybot_conf = getattr(conf, "supybot", None)
plugins_conf = getattr(supybot_conf, "plugins", None)
plugin_conf = getattr(plugins_conf, "Asyncio", None)
if plugin_conf is None:
return default_config
return {
"max_tokens": _to_int(
plugin_conf.maxUserTokens(), default_config["max_tokens"]
),
"cooldown": _to_int(plugin_conf.cooldownSeconds(), default_config["cooldown"]),
"irc_chunk": _to_int(plugin_conf.ircChunkSize(), default_config["irc_chunk"]),
"botnick": _to_str(plugin_conf.botnick(), default_config["botnick"]),
"language": _to_str(plugin_conf.language(), default_config["language"]),
"debug": _to_bool(plugin_conf.debugMode(), default_config["debug"]),
}
# ----------------------------
# Global State
# ----------------------------
USER_HISTORIES = {}
COOLDOWNS = CooldownManager()
# ----------------------------
# Utility Functions
# ----------------------------
def count_tokens(text):
return len((text or "").split())
def is_likely_math(query):
math_pattern = (
r"[\d\+\-\*/\^\=<>√∑∫π()]|"
r"\b(solve|calculate|evaluate|simplify|factor|equation|system of|"
r"legs|heads|probability|percent|ratio|algebra|geometry|integral|derivative)\b"
)
return bool(re.search(math_pattern, query or "", re.IGNORECASE))
def clean_output(text):
if not text:
return ""
text = text.replace("\\(", "").replace("\\)", "")
text = text.replace("\\[", "").replace("\\]", "")
text = text.replace("\\left", "").replace("\\right", "")
text = text.replace("\\cdot", "⋅")
text = re.sub(r"\\text\{(.*?)\}", r"\1", text)
text = text.replace("\\", "")
text = re.sub(r"\n\s*\n+", "\n", text)
return text.strip()
def _context_key(msg):
nick = getattr(msg, "nick", "unknown")
channel = getattr(msg, "channel", None) or "PM"
return "{}:{}".format(channel, nick)
def get_user_history(context_key, system_prompt):
if context_key not in USER_HISTORIES:
USER_HISTORIES[context_key] = [{"role": "system", "content": system_prompt}]
return USER_HISTORIES[context_key]
# If the system prompt changes (e.g., math mode vs chat mode), keep it aligned.
# This avoids “stale” system prompts across mode changes.
history = USER_HISTORIES[context_key]
if (
history
and history[0].get("role") == "system"
and history[0].get("content") != system_prompt
):
history[0]["content"] = system_prompt
return history
def irc_send_chunked_preserve_newlines(irc, text, chunk_size=350):
text = (text or "").strip()
if not text:
irc.reply("AI returned no response.", prefixNick=False)
return
lines = text.splitlines()
for line in lines:
line = (line or "").strip()
if not line:
continue
while len(line) > chunk_size:
irc.reply(line[:chunk_size], prefixNick=False)
line = line[chunk_size:].lstrip()
irc.reply(line, prefixNick=False)
# ----------------------------
# Moderation (Cached)
# ----------------------------
@lru_cache(maxsize=512)
def _moderation_cache(text):
try:
openai_client = _ensure_openai_client()
response = openai_client.moderations.create(
model="omni-moderation-latest", input=text
)
return response.results[0].flagged
except Exception as e:
log.warning("[Asyncio] Moderation error (fail-open): {}".format(e))
return False
async def check_moderation_flag(user_input):
text = (user_input or "").strip()
if not text or text.startswith("!") or len(text) < 5:
return False
delay = 1.0
for _attempt in range(3):
try:
return await asyncio.to_thread(_moderation_cache, text)
except Exception as e:
s = str(e)
if "429" in s or "Too Many Requests" in s:
await asyncio.sleep(delay + random.uniform(0, 0.5))
delay *= 2
else:
log.error("[Asyncio] Moderation failure: {}".format(e))
break
return False
# ----------------------------
# Chat Logic
# ----------------------------
async def chat_with_model(user_message, context_key, config):
math_mode = is_likely_math(user_message)
if math_mode:
system_prompt = (
"Your name is {botnick}. "
"Use {language} English conventions. "
"Solve maths/word problems clearly. "
"Return the final solution in NO MORE THAN 6 LINES. "
"Prefer short equations and a final answer line. "
"Do not use LaTeX; use plain text."
).format(botnick=config["botnick"], language=config["language"])
max_tokens = 300
temperature = 0.2
else:
system_prompt = (
"Your name is {botnick}. "
"Answer using {language} English conventions. "
"Be concise, friendly, and conversational."
).format(botnick=config["botnick"], language=config["language"])
max_tokens = 250
temperature = 0.6
history = get_user_history(context_key, system_prompt)
history.append({"role": "user", "content": user_message})
# Trim history per context
if len(history) > 12:
USER_HISTORIES[context_key] = [history[0]] + history[-10:]
history = USER_HISTORIES[context_key]
try:
openai_client = _ensure_openai_client()
response = await asyncio.to_thread(
_create_chat_completion_with_fallback,
openai_client,
messages=history,
max_tokens=max_tokens,
temperature=temperature,
top_p=0.9,
)
reply = (response.choices[0].message.content or "").strip()
history.append({"role": "assistant", "content": reply})
return clean_output(reply)
except Exception as e:
log.error(
"[Asyncio] OpenAI API error for {}: {}".format(context_key, e),
exc_info=True,
)
return "Sorry, I ran into an API error. Please try again."
async def execute_chat_with_input_moderation(user_request, context_key, config):
# Cooldown gate (BEFORE any token counting, moderation, or API calls)
now = time.time()
msg_wait = COOLDOWNS.should_wait_message(context_key, now, config["cooldown"])
if msg_wait:
return msg_wait
# Record immediately (defensive: prevents burst spam if downstream hangs)
COOLDOWNS.record(context_key, now)
# Token limit (approx)
prompt_tokens = count_tokens(user_request)
if prompt_tokens > config["max_tokens"]:
return (
"Error: Your input exceeds the max token limit of "
"{max_tokens} (you used {used})."
).format(max_tokens=config["max_tokens"], used=prompt_tokens)
# Moderation
flagged = await check_moderation_flag(user_request)
if flagged:
return "I'm sorry, but your input has been flagged as inappropriate."
return await chat_with_model(user_request, context_key, config)
# ----------------------------
# Limnoria Plugin Class
# ----------------------------
class Asyncio(callbacks.Plugin):
"""Async ChatGPT plugin with per-channel+per-user memory and math-friendly output."""
threaded = True
@wrap(["text"])
def chat(self, irc, msg, args, user_input):
"""<message> -- Chat with the AI (per-channel + per-user memory)."""
context_key = _context_key(msg)
config = get_config()
# ---- Pre-cooldown check (UX polish) ----
now = time.time()
msg_wait = COOLDOWNS.should_wait_message(context_key, now, config["cooldown"])
if msg_wait:
irc.reply(msg_wait, prefixNick=False)
return
# Show processing only if we're actually proceeding
try:
_ensure_openai_client()
except ValueError:
irc.reply(
"OPENAI_API_KEY is not configured. Set it in your environment or .env file.",
prefixNick=False,
)
return
irc.reply("Processing your message...", prefixNick=False)
try:
response = asyncio.run(
execute_chat_with_input_moderation(
user_input, context_key=context_key, config=config
)
)
irc_send_chunked_preserve_newlines(
irc, response, chunk_size=config["irc_chunk"]
)
if config["debug"]:
log.info("[Asyncio DEBUG] {}: {}".format(context_key, response))
except Exception as e:
log.error(
"[Asyncio] Exception in chat command: {}".format(e), exc_info=True
)
irc.reply("An unexpected error occurred. Check logs.", prefixNick=False)
def resetCommand(self, irc, msg, args):
"""Reset your conversation memory for this channel (or PM)."""
context_key = _context_key(msg)
if context_key in USER_HISTORIES:
del USER_HISTORIES[context_key]
# New: cooldown clear via manager
COOLDOWNS.clear(context_key)
irc.reply(
"Your conversation memory has been reset for this context.",
prefixNick=False,
)
reset = wrap(resetCommand) # pyright: ignore[reportAssignmentType]
def chatversion(self, irc, msg, args) -> None:
"""takes no arguments
Show the currently loaded Asyncio plugin version.
"""
global ACTIVE_CHAT_MODEL
_ = (msg, args)
model_label = ACTIVE_CHAT_MODEL if ACTIVE_CHAT_MODEL else "not selected yet"
irc.reply(
f"Asyncio version: {PLUGIN_VERSION} | model: {model_label}",
prefixNick=False,
)
chatversion = wrap(chatversion) # pyright: ignore[reportAssignmentType]
Class = Asyncio
# vim:set shiftwidth=4 softtabstop=4 expandtab textwidth=79: