Spaces:
Runtime error
Runtime error
File size: 9,624 Bytes
c195a6f |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 |
from __future__ import annotations
from gradio.components import *
from gradio.components import Chatbot as oldChatbot
from gradio_client import utils as client_utils
from enum import Enum
from markdown2 import Markdown
import inspect
from gradio.events import Changeable
from gradio_client.documentation import document
from gradio_client.serializing import JSONSerializable
class _Keywords(Enum):
NO_VALUE = "NO_VALUE" # Used as a sentinel to determine if nothing is provided as a argument for `value` in `Component.update()`
FINISHED_ITERATING = "FINISHED_ITERATING" # Used to skip processing of a component's value (needed for generators + state)
class Chatbot(oldChatbot):
def postprocess(
self,
y: list[list[str | tuple[str] | tuple[str, str] | None] | tuple],
) -> list[list[str | dict | None]]:
"""
Parameters:
y: List of lists representing the message and response pairs. Each message and response should be a string, which may be in Markdown format. It can also be a tuple whose first element is a string or pathlib.Path filepath or URL to an image/video/audio, and second (optional) element is the alt text, in which case the media file is displayed. It can also be None, in which case that message is not displayed.
Returns:
List of lists representing the message and response. Each message and response will be a string of HTML, or a dictionary with media information. Or None if the message is not to be displayed.
"""
if y is None:
return []
processed_messages = []
for message_pair in y:
assert isinstance(
message_pair, (tuple, list)
), f"Expected a list of lists or list of tuples. Received: {message_pair}"
assert (
len(message_pair) == 2
), f"Expected a list of lists of length 2 or list of tuples of length 2. Received: {message_pair}"
processed_messages.append(
[
'<p style="font-family: var(--font)">' + message_pair[0] + "</p>",
#self._postprocess_chat_messages(message_pair[0]),
self._postprocess_chat_messages(message_pair[1]),
]
)
return processed_messages
# @document("style")
# # class Chatbot(Changeable, Selectable, IOComponent, JSONSerializable):
# #class Chatbot(Changeable, IOComponent, JSONSerializable):
# class Chatbot(oldChatbot):
# """
# Displays a chatbot output showing both user submitted messages and responses. Supports a subset of Markdown including bold, italics, code, and images.
# Preprocessing: this component does *not* accept input.
# Postprocessing: expects function to return a {List[Tuple[str | None | Tuple, str | None | Tuple]]}, a list of tuples with user message and response messages. Messages should be strings, tuples, or Nones. If the message is a string, it can include Markdown. If it is a tuple, it should consist of (string filepath to image/video/audio, [optional string alt text]). Messages that are `None` are not displayed.
#
# Demos: chatbot_simple, chatbot_multimodal
# """
#
# def __init__(
# self,
# value: List[Tuple[str | None, str | None]] | Callable | None = None,
# color_map: Dict[str, str] | None = None, # Parameter moved to Chatbot.style()
# *,
# label: str | None = None,
# every: float | None = None,
# show_label: bool = True,
# visible: bool = True,
# elem_id: str | None = None,
# elem_classes: List[str] | str | None = None,
# **kwargs,
# ):
# """
# Parameters:
# value: Default value to show in chatbot. If callable, the function will be called whenever the app loads to set the initial value of the component.
# label: component name in interface.
# every: If `value` is a callable, run the function 'every' number of seconds while the client connection is open. Has no effect otherwise. Queue must be enabled. The event can be accessed (e.g. to cancel it) via this component's .load_event attribute.
# show_label: if True, will display label.
# visible: If False, component will be hidden.
# elem_id: An optional string that is assigned as the id of this component in the HTML DOM. Can be used for targeting CSS styles.
# elem_classes: An optional list of strings that are assigned as the classes of this component in the HTML DOM. Can be used for targeting CSS styles.
# """
# if color_map is not None:
# warnings.warn(
# "The 'color_map' parameter has been deprecated.",
# )
# #self.md = utils.get_markdown_parser()
# self.md = Markdown(extras=["fenced-code-blocks", "tables", "break-on-newline"])
# self.select: EventListenerMethod
# """
# Event listener for when the user selects message from Chatbot.
# Uses event data gradio.SelectData to carry `value` referring to text of selected message, and `index` tuple to refer to [message, participant] index.
# See EventData documentation on how to use this event data.
# """
#
# IOComponent.__init__(
# self,
# label=label,
# every=every,
# show_label=show_label,
# visible=visible,
# elem_id=elem_id,
# elem_classes=elem_classes,
# value=value,
# **kwargs,
# )
#
# def get_config(self):
# return {
# "value": self.value,
# # "selectable": self.selectable,
# **IOComponent.get_config(self),
# }
#
# @staticmethod
# def update(
# value: Any | Literal[_Keywords.NO_VALUE] | None = _Keywords.NO_VALUE,
# label: str | None = None,
# show_label: bool | None = None,
# visible: bool | None = None,
# ):
# updated_config = {
# "label": label,
# "show_label": show_label,
# "visible": visible,
# "value": value,
# "__type__": "update",
# }
# return updated_config
#
# def _process_chat_messages(
# self, chat_message: str | Tuple | List | Dict | None
# ) -> str | Dict | None:
# if chat_message is None:
# return None
# elif isinstance(chat_message, (tuple, list)):
# #mime_type = processing_utils.get_mimetype(chat_message[0])
# mime_type = client_utils.get_mimetype(chat_message[0])
# return {
# "name": chat_message[0],
# "mime_type": mime_type,
# "alt_text": chat_message[1] if len(chat_message) > 1 else None,
# "data": None, # These last two fields are filled in by the frontend
# "is_file": True,
# }
# elif isinstance(
# chat_message, dict
# ): # This happens for previously processed messages
# return chat_message
# elif isinstance(chat_message, str):
# #return self.md.render(chat_message)
# return str(self.md.convert(chat_message))
# else:
# raise ValueError(f"Invalid message for Chatbot component: {chat_message}")
#
# def postprocess(
# self,
# y: List[
# Tuple[str | Tuple | List | Dict | None, str | Tuple | List | Dict | None]
# ],
# ) -> List[Tuple[str | Dict | None, str | Dict | None]]:
# """
# Parameters:
# y: List of tuples representing the message and response pairs. Each message and response should be a string, which may be in Markdown format. It can also be a tuple whose first element is a string filepath or URL to an image/video/audio, and second (optional) element is the alt text, in which case the media file is displayed. It can also be None, in which case that message is not displayed.
# Returns:
# List of tuples representing the message and response. Each message and response will be a string of HTML, or a dictionary with media information.
# """
# if y is None:
# return []
# processed_messages = []
# for message_pair in y:
# assert isinstance(
# message_pair, (tuple, list)
# ), f"Expected a list of lists or list of tuples. Received: {message_pair}"
# assert (
# len(message_pair) == 2
# ), f"Expected a list of lists of length 2 or list of tuples of length 2. Received: {message_pair}"
# processed_messages.append(
# (
# #self._process_chat_messages(message_pair[0]),
# '<pre style="font-family: var(--font)">' +
# message_pair[0] + "</pre>",
# self._process_chat_messages(message_pair[1]),
# )
# )
# return processed_messages
#
# def style(self, height: int | None = None, **kwargs):
# """
# This method can be used to change the appearance of the Chatbot component.
# """
# if height is not None:
# self._style["height"] = height
# if kwargs.get("color_map") is not None:
# warnings.warn("The 'color_map' parameter has been deprecated.")
#
# Component.style(
# self,
# **kwargs,
# )
# return self |