Skip to main content

Thread API

The Thread class manages conversations and maintains context between messages. It's responsible for organizing messages, handling system prompts, storing conversation metadata, and tracking analytics.

Initialization

from tyler import Thread
from datetime import datetime, UTC

# Create a new thread
thread = Thread()

# Create a thread with custom parameters
thread = Thread(
title="My Thread",
messages=[],
attributes={},
platforms={
"slack": {
"channel": "C123",
"thread_ts": "1234567890.123"
}
}
)

Parameters

ParameterTypeRequiredDefaultDescription
idstrNoUUID4Unique thread identifier
titleOptional[str]No"Untitled Thread"Thread title
messagesList[Message]No[]List of messages
created_atdatetimeNonow(UTC)Creation timestamp
updated_atdatetimeNonow(UTC)Last update timestamp
attributesDictNo{}Custom metadata
platformsDict[str, Dict[str, str]]No{}References to where this thread exists on external platforms. Maps platform name to platform-specific identifiers.

Methods

add_message

Add a new message to the thread and update analytics.

def add_message(
self,
message: Message
) -> None

Messages are sequenced based on their role:

  • System messages always get sequence 0 and are inserted at the beginning
  • Other messages get incremental sequence numbers starting at 1
  • Updates thread's updated_at timestamp

Example

message = Message(role="user", content="Hello!")
thread.add_message(message)

get_message_by_id

Return the message with the specified ID.

def get_message_by_id(
self,
message_id: str
) -> Optional[Message]

Returns the message with the specified ID, or None if no message exists with that ID.

Example

message = thread.get_message_by_id("msg_123")
if message:
print(f"Found message: {message.content}")

add_reaction

Add a reaction to a message in the thread.

def add_reaction(
self,
message_id: str,
emoji: str,
user_id: str
) -> bool

Parameters

ParameterTypeRequiredDefaultDescription
message_idstrYesNoneID of the message to react to
emojistrYesNoneEmoji shortcode (e.g., ":thumbsup:")
user_idstrYesNoneID of the user adding the reaction

Returns

True if reaction was added, False if it wasn't (message not found or already reacted).

Example

thread.add_reaction("msg_123", ":thumbsup:", "user_456")

remove_reaction

Remove a reaction from a message in the thread.

def remove_reaction(
self,
message_id: str,
emoji: str,
user_id: str
) -> bool

Parameters

ParameterTypeRequiredDefaultDescription
message_idstrYesNoneID of the message to remove reaction from
emojistrYesNoneEmoji shortcode (e.g., ":thumbsup:")
user_idstrYesNoneID of the user removing the reaction

Returns

True if reaction was removed, False if it wasn't (message or reaction not found).

Example

thread.remove_reaction("msg_123", ":thumbsup:", "user_456")

get_reactions

Get all reactions for a message in the thread.

def get_reactions(
self,
message_id: str
) -> Dict[str, List[str]]

Parameters

ParameterTypeRequiredDefaultDescription
message_idstrYesNoneID of the message to get reactions for

Returns

Dictionary mapping emoji to list of user IDs, or empty dict if message not found.

Example

reactions = thread.get_reactions("msg_123")
# Example: {":thumbsup:": ["user1", "user2"], ":heart:": ["user1"]}

get_messages_for_chat_completion

Return messages in the format expected by chat completion APIs.

async def get_messages_for_chat_completion(self, file_store: Optional[FileStore] = None) -> List[Dict[str, Any]]

Returns messages formatted for LLM completion, including proper sequencing and any file references. System messages are excluded as they are typically injected by agents at completion time.

Parameters:

  • file_store: Optional FileStore instance to pass to messages for file URL access

clear_messages

Clear all messages from the thread.

def clear_messages(self) -> None

Removes all messages and updates the thread's updated_at timestamp.

get_last_message_by_role

Return the last message with the specified role.

def get_last_message_by_role(
self,
role: Literal["user", "assistant", "system", "tool"]
) -> Optional[Message]

Returns the most recent message with the specified role, or None if no messages exist with that role.

generate_title

Generate a concise title for the thread using GPT-4.1.

@weave.op()
def generate_title(self) -> str

Uses GPT-4.1 to generate a descriptive title based on the conversation content. Updates the thread's title and updated_at timestamp.

get_total_tokens

Get total token usage across all messages in the thread.

def get_total_tokens(self) -> Dict[str, Any]

Returns:

{
"overall": {
"completion_tokens": int,
"prompt_tokens": int,
"total_tokens": int
},
"by_model": {
"model_name": {
"completion_tokens": int,
"prompt_tokens": int,
"total_tokens": int
}
}
}

get_model_usage

Get usage statistics for a specific model or all models.

def get_model_usage(
self,
model_name: Optional[str] = None
) -> Dict[str, Any]

Returns per-model statistics including:

{
"model_name": {
"calls": int,
"completion_tokens": int,
"prompt_tokens": int,
"total_tokens": int
}
}

get_message_timing_stats

Calculate timing statistics across all messages.

def get_message_timing_stats(self) -> Dict[str, Any]

Returns:

{
"total_latency": float, # in milliseconds
"average_latency": float, # in milliseconds
"message_count": int
}

get_message_counts

Get count of messages by role.

def get_message_counts(self) -> Dict[str, int]

Returns:

{
"system": int,
"user": int,
"assistant": int,
"tool": int
}

get_tool_usage

Get count of tool function calls in the thread.

def get_tool_usage(self) -> Dict[str, Any]

Returns:

{
"tools": {
"tool_name": call_count
},
"total_calls": int
}

get_system_message

Get the system message from the thread if it exists.

def get_system_message(self) -> Optional[Message]

Returns the system message from the thread, or None if no system message exists.

get_messages_in_sequence

Get messages sorted by sequence number.

def get_messages_in_sequence(self) -> List[Message]

Returns a list of messages sorted by their sequence number.

model_dump

Convert thread to a dictionary suitable for JSON serialization.

def model_dump(self, mode: str = "json") -> Dict[str, Any]

Parameters:

  • mode: Serialization mode, either "json" or "python"
    • "json": Converts datetimes to ISO strings (default)
    • "python": Keeps datetimes as datetime objects

Returns:

{
"id": str,
"title": str,
"messages": List[Dict], # Serialized messages
"created_at": str, # ISO format with timezone if mode="json"
"updated_at": str, # ISO format with timezone if mode="json"
"attributes": Dict,
"platforms": Optional[Dict]
}

Message Reactions

The Thread API provides methods for managing reactions to messages. While reactions are associated with specific messages, they are managed at the thread level to maintain consistency and provide centralized access.

Adding Reactions

To add a reaction to a message:

# Add a reaction to a message
thread.add_reaction(message_id, ":heart:", "user123")

The add_reaction method takes three parameters:

  • message_id: The ID of the message being reacted to
  • emoji: The emoji reaction (in standard format, e.g., "❤️", ":thumbsup:")
  • user_id: The ID of the user adding the reaction

Retrieving Reactions

To get all reactions for a specific message:

# Get all reactions for a message
reactions = thread.get_reactions(message_id)
print(reactions)
# Output: {":heart:": ["user123", "user456"], ":thumbsup:": ["user789"]}

Checking for Reactions

To check if a specific user has added a particular reaction:

# Check if a user has reacted with a specific emoji
has_reaction = thread.has_reaction(message_id, ":heart:", "user123")
print(has_reaction) # Output: True or False

Removing Reactions

To remove a specific reaction:

# Remove a reaction
thread.remove_reaction(message_id, ":heart:", "user123")

Getting Reaction Counts

To get a count of each reaction type for a message:

# Get reaction counts
reactions = thread.get_reactions(message_id)
reaction_counts = {emoji: len(users) for emoji, users in reactions.items()}
print(reaction_counts)
# Output: {":heart:": 2, ":thumbsup:": 1}

Getting All Users Who Reacted

To get a list of all users who have reacted to a message:

# Get all users who reacted to a message
reactions = thread.get_reactions(message_id)
all_users = set()
for users in reactions.values():
all_users.update(users)
print(list(all_users))
# Output: ["user123", "user456", "user789"]

Field Validators

ensure_timezone

Ensures all datetime fields are timezone-aware UTC.

@field_validator("created_at", "updated_at", mode="before")
def ensure_timezone(cls, value: datetime) -> datetime

Converts naive datetime objects to UTC timezone-aware ones.

Best Practices

  1. Message Sequencing

    # Messages are automatically sequenced
    thread.add_message(Message(role="system", content="...")) # Gets sequence 0
    thread.add_message(Message(role="user", content="...")) # Gets sequence 1
  2. Analytics

    # Monitor token usage
    usage = thread.get_total_tokens()
    print(f"Total tokens: {usage['overall']['total_tokens']}")

    # Track performance
    timing = thread.get_message_timing_stats()
    print(f"Average latency: {timing['average_latency']} ms")

    # Get model-specific usage
    model_usage = thread.get_model_usage("gpt-4.1")
    print(f"GPT-4.1 calls: {model_usage['calls']}")

    # Track tool usage
    tool_usage = thread.get_tool_usage()
    print(f"Total tool calls: {tool_usage['total_calls']}")
  3. Message Organization

    # Get messages in sequence order
    ordered_messages = thread.get_messages_in_sequence()

    # Get the last message from a specific role
    last_assistant_msg = thread.get_last_message_by_role("assistant")

    # Get the system message
    system_msg = thread.get_system_message()

    # Find a specific message by ID
    message = thread.get_message_by_id(message_id)
  4. Source Tracking

    thread = Thread(
    platforms={
    "slack": {
    "channel": "C123",
    "thread_ts": "1234567890.123"
    }
    }
    )
  5. Chat Completion Preparation

    # Get messages ready for LLM API
    messages = await thread.get_messages_for_chat_completion()

    # If messages have attachments, provide a file_store
    file_store = FileStore()
    messages = await thread.get_messages_for_chat_completion(file_store=file_store)
  6. Managing Reactions

    # Add reactions to messages
    message_ids = [msg.id for msg in thread.messages if msg.role == "assistant"]
    for message_id in message_ids:
    thread.add_reaction(message_id, ":thumbsup:", "user1")

    # Check reaction counts for display
    for message_id in message_ids:
    reactions = thread.get_reactions(message_id)
    thumbs_count = len(reactions.get(":thumbsup:", []))
    print(f"Message {message_id}: 👍 {thumbs_count}")

See Also