mirror of
https://github.com/meta-llama/llama-stack.git
synced 2025-10-24 16:57:21 +00:00
# What does this PR do? The goal of this PR is code base modernization. Schema reflection code needed a minor adjustment to handle UnionTypes and collections.abc.AsyncIterator. (Both are preferred for latest Python releases.) Note to reviewers: almost all changes here are automatically generated by pyupgrade. Some additional unused imports were cleaned up. The only change worth of note can be found under `docs/openapi_generator` and `llama_stack/strong_typing/schema.py` where reflection code was updated to deal with "newer" types. Signed-off-by: Ihar Hrachyshka <ihar.hrachyshka@gmail.com>
255 lines
7.1 KiB
Python
255 lines
7.1 KiB
Python
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
|
# All rights reserved.
|
|
#
|
|
# This source code is licensed under the terms described in the LICENSE file in
|
|
# the root directory of this source tree.
|
|
|
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
|
# All rights reserved.
|
|
#
|
|
# This source code is licensed under the terms described in the LICENSE file in
|
|
# top-level folder for each specific model found within the models/ directory at
|
|
# the top-level of this source tree.
|
|
|
|
from pathlib import Path
|
|
|
|
from termcolor import colored
|
|
|
|
from ..datatypes import (
|
|
BuiltinTool,
|
|
RawMessage,
|
|
StopReason,
|
|
ToolCall,
|
|
ToolDefinition,
|
|
ToolPromptFormat,
|
|
)
|
|
from . import template_data
|
|
from .chat_format import ChatFormat
|
|
from .prompt_templates import (
|
|
BuiltinToolGenerator,
|
|
FunctionTagCustomToolGenerator,
|
|
JsonCustomToolGenerator,
|
|
SystemDefaultGenerator,
|
|
ToolResponseGenerator,
|
|
)
|
|
from .tokenizer import Tokenizer
|
|
|
|
THIS_DIR = Path(__file__).parent
|
|
|
|
|
|
class Template:
|
|
def __init__(
|
|
self,
|
|
role,
|
|
template_name,
|
|
data_provider=None,
|
|
notes=None,
|
|
):
|
|
self.role = role
|
|
self.template_name = template_name
|
|
self.data_provider = data_provider or ""
|
|
self._notes = notes or ""
|
|
|
|
@property
|
|
def notes(self):
|
|
default = "↵ represents newline"
|
|
notes = default
|
|
if self._notes:
|
|
notes += "\n"
|
|
notes += self._notes
|
|
return notes
|
|
|
|
|
|
TEMPLATES = [
|
|
Template(
|
|
"user",
|
|
"user-default",
|
|
"user_default",
|
|
),
|
|
Template(
|
|
"user",
|
|
"user-images",
|
|
"user_images",
|
|
),
|
|
Template("user", "user-interleaved-images", "user_interleaved_images"),
|
|
Template(
|
|
"assistant",
|
|
"assistant-builtin-tool-call",
|
|
"assistant_builtin_tool_call",
|
|
"Notice <|python_tag|>",
|
|
),
|
|
Template(
|
|
"assistant",
|
|
"assistant-custom-tool-call",
|
|
"assistant_custom_tool_call",
|
|
"Notice <function=...> format",
|
|
),
|
|
Template(
|
|
"assistant",
|
|
"assistant-default",
|
|
"assistant_default",
|
|
),
|
|
Template(
|
|
"system",
|
|
"system-builtin-and-custom-tools",
|
|
"system_message_builtin_and_custom_tools",
|
|
),
|
|
Template(
|
|
"system",
|
|
"system-builtin-tools-only",
|
|
"system_message_builtin_tools_only",
|
|
),
|
|
Template(
|
|
"system",
|
|
"system-custom-tools-only",
|
|
"system_message_custom_tools_only",
|
|
),
|
|
Template(
|
|
"system",
|
|
"system-default",
|
|
"system_default",
|
|
),
|
|
Template(
|
|
"tool",
|
|
"tool-success",
|
|
"tool_success",
|
|
"Note ipython header and [stdout]",
|
|
),
|
|
Template(
|
|
"tool",
|
|
"tool-failure",
|
|
"tool_failure",
|
|
"Note ipython header and [stderr]",
|
|
),
|
|
]
|
|
|
|
|
|
class LLama31Interface:
|
|
def __init__(self, tool_prompt_format: ToolPromptFormat = ToolPromptFormat.json):
|
|
self.tokenizer = Tokenizer.get_instance()
|
|
self.formatter = ChatFormat(self.tokenizer)
|
|
self.tool_prompt_format = tool_prompt_format
|
|
|
|
def get_tokens(self, messages: list[RawMessage]) -> list[int]:
|
|
model_input = self.formatter.encode_dialog_prompt(
|
|
messages,
|
|
self.tool_prompt_format,
|
|
)
|
|
return model_input.tokens
|
|
|
|
def tool_response_messages(self, *args, **kwargs):
|
|
template = ToolResponseGenerator().gen(*args, **kwargs)
|
|
return [
|
|
RawMessage(
|
|
role="tool",
|
|
content=template.render(),
|
|
)
|
|
]
|
|
|
|
def system_messages(
|
|
self,
|
|
builtin_tools: list[BuiltinTool],
|
|
custom_tools: list[ToolDefinition],
|
|
instruction: str | None = None,
|
|
) -> list[RawMessage]:
|
|
messages = []
|
|
|
|
default_gen = SystemDefaultGenerator()
|
|
default_template = default_gen.gen()
|
|
|
|
sys_content = ""
|
|
|
|
tool_template = None
|
|
if builtin_tools or custom_tools:
|
|
tool_gen = BuiltinToolGenerator()
|
|
tool_template = tool_gen.gen(builtin_tools + custom_tools)
|
|
|
|
sys_content += tool_template.render()
|
|
sys_content += "\n"
|
|
|
|
sys_content += default_template.render()
|
|
|
|
if instruction:
|
|
sys_content += "\n\n"
|
|
sys_content += instruction
|
|
|
|
sys_content += "\n"
|
|
messages.append(RawMessage(role="system", content=sys_content))
|
|
|
|
if custom_tools:
|
|
if self.tool_prompt_format == ToolPromptFormat.json:
|
|
tool_gen = JsonCustomToolGenerator()
|
|
elif self.tool_prompt_format == ToolPromptFormat.function_tag:
|
|
tool_gen = FunctionTagCustomToolGenerator()
|
|
else:
|
|
raise ValueError(f"Non supported ToolPromptFormat {self.tool_prompt_format}")
|
|
|
|
custom_template = tool_gen.gen(custom_tools)
|
|
messages.append(RawMessage(role="user", content=custom_template.render()))
|
|
|
|
return messages
|
|
|
|
def assistant_response_messages(
|
|
self,
|
|
content: str,
|
|
stop_reason: StopReason,
|
|
tool_call: ToolCall | None = None,
|
|
) -> list[RawMessage]:
|
|
tool_calls = []
|
|
if tool_call:
|
|
tool_calls.append(tool_call)
|
|
return [
|
|
RawMessage(
|
|
role="assistant",
|
|
content=content,
|
|
tool_calls=tool_calls,
|
|
stop_reason=stop_reason,
|
|
)
|
|
]
|
|
|
|
def user_message(self, content: str) -> list[RawMessage]:
|
|
return [RawMessage(role="user", content=content)]
|
|
|
|
def display_message_as_tokens(self, message: RawMessage) -> None:
|
|
"""Util to print tokenized string to shell"""
|
|
tokens = self.formatter.encode_message(message, self.tool_prompt_format)
|
|
on_colors = [
|
|
"on_red",
|
|
"on_green",
|
|
"on_yellow",
|
|
"on_blue",
|
|
"on_magenta",
|
|
"on_cyan",
|
|
]
|
|
for i, t in enumerate(tokens):
|
|
on_col = on_colors[i % len(on_colors)]
|
|
print(colored(self.tokenizer.decode([t]), "white", on_col), end="")
|
|
print("\n", end="")
|
|
|
|
|
|
def list_jinja_templates() -> list[Template]:
|
|
return TEMPLATES
|
|
|
|
|
|
def render_jinja_template(name: str, tool_prompt_format: ToolPromptFormat):
|
|
by_name = {t.template_name: t for t in TEMPLATES}
|
|
if name not in by_name:
|
|
raise ValueError(f"No template found for `{name}`")
|
|
|
|
template = by_name[name]
|
|
interface = LLama31Interface(tool_prompt_format)
|
|
|
|
data_func = getattr(template_data, template.data_provider)
|
|
if template.role == "system":
|
|
messages = interface.system_messages(**data_func())
|
|
elif template.role == "tool":
|
|
messages = interface.tool_response_messages(**data_func())
|
|
elif template.role == "assistant":
|
|
messages = interface.assistant_response_messages(**data_func())
|
|
elif template.role == "user":
|
|
messages = interface.user_message(**data_func())
|
|
|
|
tokens = interface.get_tokens(messages)
|
|
special_tokens = list(interface.tokenizer.special_tokens.values())
|
|
tokens = [(interface.tokenizer.decode([t]), t in special_tokens) for t in tokens]
|
|
return template, tokens
|