forked from phoenix-oss/llama-stack-mirror
This is yet another of those large PRs (hopefully we will have less and less of them as things mature fast). This one introduces substantial improvements and some simplifications to the stack. Most important bits: * Agents reference implementation now has support for session / turn persistence. The default implementation uses sqlite but there's also support for using Redis. * We have re-architected the structure of the Stack APIs to allow for more flexible routing. The motivating use cases are: - routing model A to ollama and model B to a remote provider like Together - routing shield A to local impl while shield B to a remote provider like Bedrock - routing a vector memory bank to Weaviate while routing a keyvalue memory bank to Redis * Support for provider specific parameters to be passed from the clients. A client can pass data using `x_llamastack_provider_data` parameter which can be type-checked and provided to the Adapter implementations.
89 lines
2.7 KiB
Python
89 lines
2.7 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.
|
|
|
|
"""
|
|
Type-safe data interchange for Python data classes.
|
|
|
|
:see: https://github.com/hunyadi/strong_typing
|
|
"""
|
|
|
|
from typing import Callable, Dict, Iterable, List, Optional, Set, TypeVar
|
|
|
|
from .inspection import TypeCollector
|
|
|
|
T = TypeVar("T")
|
|
|
|
|
|
def topological_sort(graph: Dict[T, Set[T]]) -> List[T]:
|
|
"""
|
|
Performs a topological sort of a graph.
|
|
|
|
Nodes with no outgoing edges are first. Nodes with no incoming edges are last.
|
|
The topological ordering is not unique.
|
|
|
|
:param graph: A dictionary of mappings from nodes to adjacent nodes. Keys and set members must be hashable.
|
|
:returns: The list of nodes in topological order.
|
|
"""
|
|
|
|
# empty list that will contain the sorted nodes (in reverse order)
|
|
ordered: List[T] = []
|
|
|
|
seen: Dict[T, bool] = {}
|
|
|
|
def _visit(n: T) -> None:
|
|
status = seen.get(n)
|
|
if status is not None:
|
|
if status: # node has a permanent mark
|
|
return
|
|
else: # node has a temporary mark
|
|
raise RuntimeError(f"cycle detected in graph for node {n}")
|
|
|
|
seen[n] = False # apply temporary mark
|
|
for m in graph[n]: # visit all adjacent nodes
|
|
if m != n: # ignore self-referencing nodes
|
|
_visit(m)
|
|
|
|
seen[n] = True # apply permanent mark
|
|
ordered.append(n)
|
|
|
|
for n in graph.keys():
|
|
_visit(n)
|
|
|
|
return ordered
|
|
|
|
|
|
def type_topological_sort(
|
|
types: Iterable[type],
|
|
dependency_fn: Optional[Callable[[type], Iterable[type]]] = None,
|
|
) -> List[type]:
|
|
"""
|
|
Performs a topological sort of a list of types.
|
|
|
|
Types that don't depend on other types (i.e. fundamental types) are first. Types on which no other types depend
|
|
are last. The topological ordering is not unique.
|
|
|
|
:param types: A list of types (simple or composite).
|
|
:param dependency_fn: Returns a list of additional dependencies for a class (e.g. classes referenced by a foreign key).
|
|
:returns: The list of types in topological order.
|
|
"""
|
|
|
|
if not all(isinstance(typ, type) for typ in types):
|
|
raise TypeError("expected a list of types")
|
|
|
|
collector = TypeCollector()
|
|
collector.traverse_all(types)
|
|
graph = collector.graph
|
|
|
|
if dependency_fn:
|
|
new_types: Set[type] = set()
|
|
for source_type, references in graph.items():
|
|
dependent_types = dependency_fn(source_type)
|
|
references.update(dependent_types)
|
|
new_types.update(dependent_types)
|
|
for new_type in new_types:
|
|
graph[new_type] = set()
|
|
|
|
return topological_sort(graph)
|