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
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896 | class ChatKitServer(ABC, Generic[TContext]):
def __init__(
self,
store: Store[TContext],
attachment_store: AttachmentStore[TContext] | None = None,
):
"""Create a ChatKitServer with the backing Store and optional AttachmentStore."""
self.store = store
self.attachment_store = attachment_store
def _get_attachment_store(self) -> AttachmentStore[TContext]:
"""Return the configured AttachmentStore or raise if missing."""
if self.attachment_store is None:
raise RuntimeError(
"AttachmentStore is not configured. Provide a AttachmentStore to ChatKitServer to handle file operations."
)
return self.attachment_store
@abstractmethod
def respond(
self,
thread: ThreadMetadata,
input_user_message: UserMessageItem | None,
context: TContext,
) -> AsyncIterator[ThreadStreamEvent]:
"""Stream `ThreadStreamEvent` instances for a new user message.
Args:
thread: Metadata for the thread being processed.
input_user_message: The incoming message the server should respond to, if any.
context: Arbitrary per-request context provided by the caller.
Returns:
An async iterator that yields events representing the server's response.
"""
pass
async def add_feedback( # noqa: B027
self,
thread_id: str,
item_ids: list[str],
feedback: FeedbackKind,
context: TContext,
) -> None:
"""Persist user feedback for one or more thread items."""
pass
def action(
self,
thread: ThreadMetadata,
action: Action[str, Any],
sender: WidgetItem | None,
context: TContext,
) -> AsyncIterator[ThreadStreamEvent]:
"""Handle a widget or client-dispatched action and yield response events."""
raise NotImplementedError(
"The action() method must be overridden to react to actions. "
"See https://github.com/openai/chatkit-python/blob/main/docs/widgets.md#widget-actions"
)
def get_stream_options(
self, thread: ThreadMetadata, context: TContext
) -> StreamOptions:
"""
Return stream-level runtime options. Allows the user to cancel the stream by default.
Override this method to customize behavior.
"""
return StreamOptions(allow_cancel=True)
async def handle_stream_cancelled(
self,
thread: ThreadMetadata,
pending_items: list[ThreadItem],
context: TContext,
):
"""Perform custom cleanup / stop inference when a stream is cancelled.
Updates you make here will not be reflected in the UI until a reload.
The default implementation persists any non-empty pending assistant messages
to the thread but does not auto-save pending widget items or workflow items.
Args:
thread: The thread that was being processed.
pending_items: Items that were not done streaming at cancellation time.
context: Arbitrary per-request context provided by the caller.
"""
pending_assistant_message_items: list[AssistantMessageItem] = [
item for item in pending_items if isinstance(item, AssistantMessageItem)
]
for item in pending_assistant_message_items:
is_empty = len(item.content) == 0 or all(
(not content.text.strip()) for content in item.content
)
if not is_empty:
await self.store.add_thread_item(thread.id, item, context=context)
# Add a hidden context item to the thread to indicate that the stream was cancelled.
# Otherwise, depending on the timing of the cancellation, subsequent responses may
# attempt to continue the cancelled response.
await self.store.add_thread_item(
thread.id,
SDKHiddenContextItem(
thread_id=thread.id,
created_at=datetime.now(),
id=self.store.generate_item_id("sdk_hidden_context", thread, context),
content="The user cancelled the stream. Stop responding to the prior request.",
),
context=context,
)
async def process(
self, request: str | bytes | bytearray, context: TContext
) -> StreamingResult | NonStreamingResult:
"""Parse an incoming ChatKit request and route it to streaming or non-streaming handlers."""
parsed_request = TypeAdapter[ChatKitReq](ChatKitReq).validate_json(request)
logger.info(f"Received request op: {parsed_request.type}")
if is_streaming_req(parsed_request):
return StreamingResult(self._process_streaming(parsed_request, context))
else:
return NonStreamingResult(
await self._process_non_streaming(parsed_request, context)
)
async def _process_non_streaming(
self, request: NonStreamingReq, context: TContext
) -> bytes:
match request:
case ThreadsGetByIdReq():
thread = await self._load_full_thread(
request.params.thread_id, context=context
)
return self._serialize(self._to_thread_response(thread))
case ThreadsListReq():
params = request.params
threads = await self.store.load_threads(
limit=params.limit or DEFAULT_PAGE_SIZE,
after=params.after,
order=params.order,
context=context,
)
return self._serialize(
Page(
has_more=threads.has_more,
after=threads.after,
data=[
self._to_thread_response(thread) for thread in threads.data
],
)
)
case ItemsFeedbackReq():
await self.add_feedback(
request.params.thread_id,
request.params.item_ids,
request.params.kind,
context,
)
return b"{}"
case AttachmentsCreateReq():
attachment_store = self._get_attachment_store()
attachment = await attachment_store.create_attachment(
request.params, context
)
return self._serialize(attachment)
case AttachmentsDeleteReq():
attachment_store = self._get_attachment_store()
await attachment_store.delete_attachment(
request.params.attachment_id, context=context
)
await self.store.delete_attachment(
request.params.attachment_id, context=context
)
return b"{}"
case ItemsListReq():
items_list_params = request.params
items = await self.store.load_thread_items(
items_list_params.thread_id,
limit=items_list_params.limit or DEFAULT_PAGE_SIZE,
order=items_list_params.order,
after=items_list_params.after,
context=context,
)
# filter out hidden context items
items.data = [
item
for item in items.data
if not isinstance(item, (HiddenContextItem, SDKHiddenContextItem))
]
return self._serialize(items)
case ThreadsUpdateReq():
thread = await self.store.load_thread(
request.params.thread_id, context=context
)
thread.title = request.params.title
await self.store.save_thread(thread, context=context)
return self._serialize(self._to_thread_response(thread))
case ThreadsDeleteReq():
await self.store.delete_thread(
request.params.thread_id, context=context
)
return b"{}"
case _:
assert_never(request)
async def _process_streaming(
self, request: StreamingReq, context: TContext
) -> AsyncGenerator[bytes, None]:
try:
async for event in self._process_streaming_impl(request, context):
b = self._serialize(event)
yield b"data: " + b + b"\n\n"
except asyncio.CancelledError:
# Let cancellation bubble up without logging as an error.
raise
except Exception:
logger.exception("Error while generating streamed response")
raise
async def _process_streaming_impl(
self, request: StreamingReq, context: TContext
) -> AsyncGenerator[ThreadStreamEvent, None]:
match request:
case ThreadsCreateReq():
thread = Thread(
id=self.store.generate_thread_id(context),
created_at=datetime.now(),
items=Page(),
)
await self.store.save_thread(
ThreadMetadata(**thread.model_dump()),
context=context,
)
yield ThreadCreatedEvent(thread=self._to_thread_response(thread))
user_message = await self._build_user_message_item(
request.params.input, thread, context
)
async for event in self._process_new_thread_item_respond(
thread,
user_message,
context,
):
yield event
case ThreadsAddUserMessageReq():
thread = await self.store.load_thread(
request.params.thread_id, context=context
)
user_message = await self._build_user_message_item(
request.params.input, thread, context
)
async for event in self._process_new_thread_item_respond(
thread,
user_message,
context,
):
yield event
case ThreadsAddClientToolOutputReq():
thread = await self.store.load_thread(
request.params.thread_id, context=context
)
items = await self.store.load_thread_items(
thread.id, None, 1, "desc", context
)
tool_call = next(
(
item
for item in items.data
if isinstance(item, ClientToolCallItem)
and item.status == "pending"
),
None,
)
if not tool_call:
raise ValueError(
f"Last thread item in {thread.id} was not a ClientToolCallItem"
)
tool_call.output = request.params.result
tool_call.status = "completed"
await self.store.save_item(thread.id, tool_call, context=context)
# Safety against dangling pending tool calls if there are
# multiple in a row, which should be impossible, and
# integrations should ultimately filter out pending tool calls
# when creating input response messages.
await self._cleanup_pending_client_tool_call(thread, context)
async for event in self._process_events(
thread,
context,
lambda: self.respond(thread, None, context),
):
yield event
case ThreadsRetryAfterItemReq():
thread_metadata = await self.store.load_thread(
request.params.thread_id, context=context
)
# Collect items to remove (all items after the user message)
items_to_remove: list[ThreadItem] = []
user_message_item = None
async for item in self._paginate_thread_items_reverse(
request.params.thread_id, context
):
if item.id == request.params.item_id:
if not isinstance(item, UserMessageItem):
raise ValueError(
f"Item {request.params.item_id} is not a user message"
)
user_message_item = item
break
items_to_remove.append(item)
if user_message_item:
for item in items_to_remove:
await self.store.delete_thread_item(
request.params.thread_id, item.id, context=context
)
async for event in self._process_events(
thread_metadata,
context,
lambda: self.respond(
thread_metadata,
user_message_item,
context,
),
):
yield event
case ThreadsCustomActionReq():
thread_metadata = await self.store.load_thread(
request.params.thread_id, context=context
)
item: ThreadItem | None = None
if request.params.item_id:
item = await self.store.load_item(
request.params.thread_id,
request.params.item_id,
context=context,
)
if item and not isinstance(item, WidgetItem):
# shouldn't happen if the caller is using the API correctly.
yield ErrorEvent(
code=ErrorCode.STREAM_ERROR,
allow_retry=False,
)
return
async for event in self._process_events(
thread_metadata,
context,
lambda: self.action(
thread_metadata,
request.params.action,
item,
context,
),
):
yield event
case _:
assert_never(request)
async def _cleanup_pending_client_tool_call(
self, thread: ThreadMetadata, context: TContext
) -> None:
items = await self.store.load_thread_items(
thread.id, None, DEFAULT_PAGE_SIZE, "desc", context
)
for tool_call in items.data:
if not isinstance(tool_call, ClientToolCallItem):
continue
if tool_call.status == "pending":
logger.warning(
f"Client tool call {tool_call.call_id} was not completed, ignoring"
)
await self.store.delete_thread_item(
thread.id, tool_call.id, context=context
)
async def _process_new_thread_item_respond(
self,
thread: ThreadMetadata,
item: UserMessageItem,
context: TContext,
) -> AsyncIterator[ThreadStreamEvent]:
await self.store.add_thread_item(thread.id, item, context=context)
await self._cleanup_pending_client_tool_call(thread, context)
yield ThreadItemDoneEvent(item=item)
async for event in self._process_events(
thread,
context,
lambda: self.respond(thread, item, context),
):
yield event
async def _process_events(
self,
thread: ThreadMetadata,
context: TContext,
stream: Callable[[], AsyncIterator[ThreadStreamEvent]],
) -> AsyncIterator[ThreadStreamEvent]:
await asyncio.sleep(0) # allow the response to start streaming
# Send initial stream options
yield StreamOptionsEvent(
stream_options=self.get_stream_options(thread, context)
)
last_thread = thread.model_copy(deep=True)
# Keep track of items that were streamed but not yet saved
# so that we can persist them when the stream is cancelled.
pending_items: dict[str, ThreadItem] = {}
try:
with agents_sdk_user_agent_override():
async for event in stream():
if isinstance(event, ThreadItemAddedEvent):
pending_items[event.item.id] = event.item
match event:
case ThreadItemDoneEvent():
await self.store.add_thread_item(
thread.id, event.item, context=context
)
pending_items.pop(event.item.id, None)
case ThreadItemRemovedEvent():
await self.store.delete_thread_item(
thread.id, event.item_id, context=context
)
pending_items.pop(event.item_id, None)
case ThreadItemReplacedEvent():
await self.store.save_item(
thread.id, event.item, context=context
)
pending_items.pop(event.item.id, None)
case ThreadItemUpdatedEvent():
# Keep pending assistant message and workflow items up to date
# so that we have a reference to the latest version of these pending items
# when the stream is cancelled.
self._update_pending_items(pending_items, event)
# special case - don't send hidden context items back to the client
should_swallow_event = isinstance(
event, ThreadItemDoneEvent
) and isinstance(
event.item, (HiddenContextItem, SDKHiddenContextItem)
)
if not should_swallow_event:
yield event
# in case user updated the thread while streaming
if thread != last_thread:
last_thread = thread.model_copy(deep=True)
await self.store.save_thread(thread, context=context)
yield ThreadUpdatedEvent(
thread=self._to_thread_response(thread)
)
# in case user updated the thread while streaming
if thread != last_thread:
last_thread = thread.model_copy(deep=True)
await self.store.save_thread(thread, context=context)
yield ThreadUpdatedEvent(thread=self._to_thread_response(thread))
except asyncio.CancelledError:
await self.handle_stream_cancelled(
thread, list(pending_items.values()), context
)
raise
except CustomStreamError as e:
yield ErrorEvent(
code="custom",
message=e.message,
allow_retry=e.allow_retry,
)
except StreamError as e:
yield ErrorEvent(
code=e.code,
allow_retry=e.allow_retry,
)
except Exception as e:
yield ErrorEvent(
code=ErrorCode.STREAM_ERROR,
allow_retry=True,
)
logger.exception(e)
if thread != last_thread:
# in case user updated the thread at the end of the stream
await self.store.save_thread(thread, context=context)
yield ThreadUpdatedEvent(thread=self._to_thread_response(thread))
def _apply_assistant_message_update(
self,
item: AssistantMessageItem,
update: AssistantMessageContentPartAdded
| AssistantMessageContentPartTextDelta
| AssistantMessageContentPartAnnotationAdded
| AssistantMessageContentPartDone,
) -> AssistantMessageItem:
updated = item.model_copy(deep=True)
# Pad the content list so the requested content_index exists before we write into it.
# (Streaming updates can arrive for an index that hasn’t been created yet)
while len(updated.content) <= update.content_index:
updated.content.append(AssistantMessageContent(text="", annotations=[]))
match update:
case AssistantMessageContentPartAdded():
updated.content[update.content_index] = update.content
case AssistantMessageContentPartTextDelta():
updated.content[update.content_index].text += update.delta
case AssistantMessageContentPartAnnotationAdded():
annotations = updated.content[update.content_index].annotations
if update.annotation_index <= len(annotations):
annotations.insert(update.annotation_index, update.annotation)
else:
annotations.append(update.annotation)
case AssistantMessageContentPartDone():
updated.content[update.content_index] = update.content
return updated
def _update_pending_items(
self,
pending_items: dict[str, ThreadItem],
event: ThreadItemUpdatedEvent,
):
updated_item = pending_items.get(event.item_id)
update = event.update
match updated_item:
case AssistantMessageItem():
if isinstance(
update,
(
AssistantMessageContentPartAdded,
AssistantMessageContentPartTextDelta,
AssistantMessageContentPartAnnotationAdded,
AssistantMessageContentPartDone,
),
):
pending_items[updated_item.id] = (
self._apply_assistant_message_update(updated_item, update)
)
case WorkflowItem():
if isinstance(update, (WorkflowTaskUpdated, WorkflowTaskAdded)):
match update:
case WorkflowTaskUpdated():
updated_item.workflow.tasks[update.task_index] = update.task
case WorkflowTaskAdded():
updated_item.workflow.tasks.append(update.task)
pending_items[updated_item.id] = updated_item
case _:
pass
async def _build_user_message_item(
self, input: UserMessageInput, thread: ThreadMetadata, context: TContext
) -> UserMessageItem:
return UserMessageItem(
id=self.store.generate_item_id("message", thread, context),
content=input.content,
thread_id=thread.id,
attachments=[
await self.store.load_attachment(attachment_id, context)
for attachment_id in input.attachments
],
quoted_text=input.quoted_text,
inference_options=input.inference_options,
created_at=datetime.now(),
)
async def _load_full_thread(self, thread_id: str, context: TContext) -> Thread:
thread_meta = await self.store.load_thread(thread_id, context=context)
thread_items = await self.store.load_thread_items(
thread_id,
after=None,
limit=DEFAULT_PAGE_SIZE,
order="asc",
context=context,
)
return Thread(**thread_meta.model_dump(), items=thread_items)
async def _paginate_thread_items_reverse(
self, thread_id: str, context: TContext
) -> AsyncIterator[ThreadItem]:
"""Paginate through thread items in reverse order (newest first)."""
after = None
while True:
items = await self.store.load_thread_items(
thread_id, after, DEFAULT_PAGE_SIZE, "desc", context
)
for item in items.data:
yield item
if not items.has_more:
break
after = items.after
def _serialize(self, obj: BaseModel) -> bytes:
return obj.model_dump_json(by_alias=True, exclude_none=True).encode("utf-8")
def _to_thread_response(self, thread: ThreadMetadata | Thread) -> Thread:
def is_hidden(item: ThreadItem) -> bool:
return isinstance(item, (HiddenContextItem, SDKHiddenContextItem))
items = thread.items if isinstance(thread, Thread) else Page()
items.data = [item for item in items.data if not is_hidden(item)]
return Thread(
id=thread.id,
title=thread.title,
created_at=thread.created_at,
items=items,
status=thread.status,
)
|