Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

🐛 / ✨ Enhance Dynaport Logic and Data Structure Handling for Dynamic Component References #283

Merged
merged 5 commits into from
Feb 1, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
7 changes: 1 addition & 6 deletions src/components/port/CustomDynaPortModel.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -3,7 +3,7 @@ import { CustomPortModel, CustomPortModelOptions } from '../port/CustomPortModel
import { CustomNodeModel } from '../node/CustomNodeModel';

export const DYNAMIC_PARAMETER_NODE_TYPES = [
'dynalist', 'dynadict', 'dynatuple'
'dynalist', 'dynatuple'
];

export interface DynaPortRef {
Expand Down Expand Up @@ -59,11 +59,6 @@ export class CustomDynaPortModel extends CustomPortModel {
return true; // Accepts anything
}

// if thisLinkedPortType is dynadict, accept only dict
if (thisLinkedPortType === 'dynadict' && thisNodeModelType !== 'dict') {
return false;
}

// default check
return super.isTypeCompatible(thisNodeModelType, thisLinkedPortType);
}
Expand Down
1 change: 0 additions & 1 deletion src/components/port/CustomPortLabel.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -79,7 +79,6 @@ export class CustomPortLabel extends React.Component<CustomPortLabelProps> {
"dict": '{ }',
"dynalist": '«[]»',
"dynatuple": '«()»',
"dynadict": '«{}»',
"union": ' U',
"secret": '🗝️',
"chat": '🗨',
Expand Down
34 changes: 25 additions & 9 deletions src/components/port/CustomPortModel.ts
Original file line number Diff line number Diff line change
Expand Up @@ -154,19 +154,35 @@ export class CustomPortModel extends DefaultPortModel {
return PARAMETER_NODE_TYPES.includes(nodeModelType);
}

static typeCompatibilityMap = {
"chat": ["list"],
"secret": ["string", "int", "float"],
};

isTypeCompatible(thisNodeModelType, dataType) {
if(thisNodeModelType !== dataType){
// Skip 'any' type check
if(dataType === 'any'){
return true;
}
// if multiple types are accepted by target node port, check if source port type is among them
if(dataType.includes(thisNodeModelType)) {
// Check for direct compatibility or 'any' type
if (thisNodeModelType === dataType || dataType === 'any') {
return true;
}

// Check if the thisNodeModelType exists in the compatibility map
if (CustomPortModel.typeCompatibilityMap.hasOwnProperty(thisNodeModelType)) {
// Get the array of compatible data types for thisNodeModelType
const compatibleDataTypes = CustomPortModel.typeCompatibilityMap[thisNodeModelType];

// Check if dataType is in the array of compatible types
if (compatibleDataTypes.includes(dataType)) {
return true;
}
return false; // types are incompatible
}
return true;

// If multiple types are accepted by target node port, check if source port type is among them
if (dataType.includes(thisNodeModelType)) {
return true;
}

// If none of the above checks pass, the types are incompatible
return false;
}

canTriangleLinkToTriangle = (thisPort, port) => {
Expand Down
114 changes: 65 additions & 49 deletions xai_components/base.py
Original file line number Diff line number Diff line change
@@ -1,40 +1,46 @@
from argparse import Namespace
from typing import TypeVar, Generic, Tuple, NamedTuple, List
from typing import TypeVar, Generic, Tuple, NamedTuple, Callable, List

T = TypeVar('T')


class InArg(Generic[T]):
value: T
def __init__(self, value: T = None, getter: Callable[[T], any] = lambda x: x) -> None:
self._value = value
self._getter = getter

def __init__(self, value: T) -> None:
self.value = value

@classmethod
def empty(cls):
return InArg(None)
@property
def value(self):
return self._getter(self._value)

@value.setter
def value(self, value: T):
self._value = value

class OutArg(Generic[T]):
value: T

def __init__(self, value: T) -> None:
def __init__(self, value: T = None, getter: Callable[[T], any] = lambda x: x) -> None:
self.value = value
self._getter = getter

@classmethod
def empty(cls):
return OutArg(None)
@property
def value(self):
return self._getter(self._value)

class InCompArg(Generic[T]):
value: T
@value.setter
def value(self, value: T):
self._value = value

def __init__(self, value: T) -> None:
class InCompArg(Generic[T]):
def __init__(self, value: T = None, getter: Callable[[T], any] = lambda x: x) -> None:
self.value = value
self._getter = getter

@classmethod
def empty(cls):
return InCompArg(None)
@property
def value(self):
return self._getter(self._value)

@value.setter
def value(self, value: T):
self._value = value

def xai_component(*args, **kwargs):
# Passthrough element without any changes.
Expand All @@ -54,19 +60,24 @@ class ExecutionContext:
def __init__(self, args: Namespace):
self.args = args


class BaseComponent:

def __init__(self):
all_ports = self.__annotations__
for key, type_arg in all_ports.items():
if isinstance(type_arg, InArg[any].__class__):
setattr(self, key, InArg.empty())
elif isinstance(type_arg, InCompArg[any].__class__):
setattr(self, key, InCompArg.empty())
elif isinstance(type_arg, OutArg[any].__class__):
setattr(self, key, OutArg.empty())
elif type_arg == str(self.__class__):
port_class = type_arg.__origin__
port_type = type_arg.__args__[0]
if port_class in (InArg, InCompArg, OutArg):
if hasattr(port_type, 'initial_value'):
port_value = port_type.initial_value()
else:
port_value = None

if hasattr(port_type, 'getter'):
port_getter = port_type.getter
else:
port_getter = lambda x: x
setattr(self, key, port_class(port_value, port_getter))
else:
setattr(self, key, None)

@classmethod
Expand All @@ -79,7 +90,6 @@ def execute(self, ctx) -> None:
def do(self, ctx) -> Tuple[bool, 'BaseComponent']:
pass


class Component(BaseComponent):
next: BaseComponent

Expand Down Expand Up @@ -125,29 +135,35 @@ def execute_graph(args: Namespace, start: BaseComponent, ctx) -> None:


class secret:
pass

def __init__(self, value):
self.__value = value

def get_value(self):
return self.__value


class message(NamedTuple):
role: str
content: str

class chat(NamedTuple):
messages: List[message]

class dynalist:
def __init__(self, value):
self.value = value

class dynatuple:
def __init__(self, value):
self.value = value

class dynadict:
def __init__(self, value):
self.value = value
class dynalist(list):
def __init__(self, *args):
super().__init__(args)

@staticmethod
def getter(x):
if x is None:
return []
return [item.value if isinstance(item, (InArg, OutArg)) else item for item in x]

class dynatuple(tuple):
def __init__(self, *args):
super().__init__(args)
@staticmethod
def getter(x):
if x is None:
return tuple()
def resolve(item):
if isinstance(item, (InArg, InCompArg,OutArg)):
return item.value
else:
return item
return tuple(resolve(item) for item in x)
64 changes: 63 additions & 1 deletion xai_components/xai_utils/utils.py
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
from xai_components.base import InArg, OutArg, InCompArg, Component, xai_component
from xai_components.base import InArg, OutArg, InCompArg, Component, xai_component, dynalist, dynatuple

import os
import sys
Expand Down Expand Up @@ -168,6 +168,68 @@ def execute(self, ctx) -> None:
print("Sleeping for " + str(sleep_timer) + " seconds.")
time.sleep(sleep_timer)

@xai_component(color="grey")
class MakeList(Component):
"""
A component that takes values from its dynamic list port and output as a normal list.
##### inPorts:
- list_values: Dynamic list port that can take any vars and append it in a list.

##### outPorts:
- output_list: The constructed list from the dynamic list inPorts.
"""
list_values: InArg[dynalist]
output_list: OutArg[list]

def execute(self, ctx) -> None:

self.output_list.value = self.list_values.value
print("Constructed List:", self.output_list.value)

@xai_component(color="grey")
class MakeTuple(Component):
"""
A component that takes values from its dynamic tuple port and output as a normal tuple.
##### inPorts:
- tuple_values: Dynamic tuple port that can take any vars and append it in a tuple.

##### outPorts:
- output_tuple: The constructed tuple from the dynamic tuple inPorts.
"""
tuple_values: InArg[dynatuple]
output_tuple: OutArg[tuple]

def execute(self, ctx) -> None:

self.output_tuple.value = self.tuple_values.value
print("Constructed Tuple:", self.output_tuple.value)

@xai_component(color="grey")
class MakeDict(Component):
"""
A component that takes two dynamic lists (dynalists) as inputs - one for keys and one for values,
and constructs a dictionary from these lists. If there are more keys than values, the unmatched keys
will have None as their value.

##### inPorts:
- keys_list: Dynamic list of keys for the dictionary.
- values_list: Dynamic list of values for the dictionary.

##### outPorts:
- output_dict: The constructed dictionary from the provided keys and values.
"""
keys_list: InArg[dynalist]
values_list: InArg[dynalist]
output_dict: OutArg[dict]

def execute(self, ctx) -> None:
keys = self.keys_list.value
values = self.values_list.value

constructed_dict = {key: values[i] if i < len(values) else None for i, key in enumerate(keys)}

self.output_dict.value = constructed_dict
print("Constructed Dictionary:", self.output_dict.value)

@xai_component(color="orange")
class ExecuteNotebook(Component):
Expand Down
Loading