Spaces:
Sleeping
Sleeping
File size: 6,860 Bytes
6a422c8 |
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 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 |
import os
import re
import tempfile
import uuid
from typing import Dict, Union
import json
import numpy as np
import requests
from modelscope_agent.agent_types import AgentType
from moviepy.editor import VideoFileClip
from PIL import Image
from requests.exceptions import RequestException
class OutputWrapper:
"""
Wrapper for output of tool execution when output is image, video, audio, etc.
In this wrapper, __repr__() is implemented to return the str representation of the output for llm.
Each wrapper have below attributes:
path: the path where the output is stored
raw_data: the raw data, e.g. image, video, audio, etc. In remote mode, it should be None
"""
def __init__(self) -> None:
self._repr = None
self._path = None
self._raw_data = None
self.root_path = os.environ.get('OUTPUT_FILE_DIRECTORY', None)
if self.root_path and not os.path.exists(self.root_path):
try:
os.makedirs(self.root_path)
except Exception:
self.root_path = None
def get_remote_file(self, remote_path, suffix):
try:
response = requests.get(remote_path)
obj = response.content
directory = tempfile.mkdtemp(dir=self.root_path)
path = os.path.join(directory, str(uuid.uuid4()) + f'.{suffix}')
with open(path, 'wb') as f:
f.write(obj)
return path
except RequestException:
return remote_path
def __repr__(self) -> str:
return self._repr
@property
def path(self):
return self._path
@property
def raw_data(self):
return self._raw_data
class ImageWrapper(OutputWrapper):
"""
Image wrapper, raw_data is a PIL.Image
"""
def __init__(self, image) -> None:
super().__init__()
if isinstance(image, str):
if os.path.isfile(image):
self._path = image
else:
origin_image = image
self._path = self.get_remote_file(image, 'png')
try:
image = Image.open(self._path)
self._raw_data = image
except FileNotFoundError:
# Image store in remote server when use remote mode
raise FileNotFoundError(f'Invalid path: {image}')
self._path = origin_image
else:
if not isinstance(image, Image.Image):
image = Image.fromarray(image.astype(np.uint8))
self._raw_data = image
else:
self._raw_data = image
directory = tempfile.mkdtemp(dir=self.root_path)
self._path = os.path.join(directory, str(uuid.uuid4()) + '.png')
self._raw_data.save(self._path)
self._repr = f'![IMAGEGEN]({self._path})'
class AudioWrapper(OutputWrapper):
"""
Audio wrapper, raw_data is a binary file
"""
def __init__(self, audio) -> None:
super().__init__()
if isinstance(audio, str):
if os.path.isfile(audio):
self._path = audio
else:
self._path = self.get_remote_file(audio, 'wav')
try:
with open(self._path, 'rb') as f:
self._raw_data = f.read()
except FileNotFoundError:
raise FileNotFoundError(f'Invalid path: {audio}')
else:
self._raw_data = audio
directory = tempfile.mkdtemp(dir=self.root_path)
self._path = os.path.join(directory, str(uuid.uuid4()) + '.wav')
with open(self._path, 'wb') as f:
f.write(self._raw_data)
self._repr = f'<audio id=audio controls= preload=none> <source id=wav src={self._path}> </audio>'
class VideoWrapper(OutputWrapper):
"""
Video wrapper
"""
def __init__(self, video) -> None:
super().__init__()
if isinstance(video, str):
if os.path.isfile(video):
self._path = video
else:
self._path = self.get_remote_file(video, 'gif')
try:
video = VideoFileClip(self._path)
# currently, we should save video as gif, not mp4
if not self._path.endswith('gif'):
directory = tempfile.mkdtemp(dir=self.root_path)
self._path = os.path.join(directory,
str(uuid.uuid4()) + '.gif')
video.write_gif(self._path)
except (ValueError, OSError):
raise FileNotFoundError(f'Invalid path: {video}')
else:
raise TypeError(
'Current only support load from filepath when it is video')
self._raw_data = video
self._repr = f'![IMAGEGEN]({self._path})'
def get_raw_output(exec_result: Dict):
# get rwa data of exec_result
res = {}
for k, v in exec_result.items():
if isinstance(v, OutputWrapper):
# In remote mode, raw data maybe None
res[k] = v.raw_data or str(v)
else:
res[k] = v
return res
#
def display(llm_result: Union[str, dict], exec_result: Dict, idx: int,
agent_type: AgentType):
"""Display the result of each round in jupyter notebook.
The multi-modal data will be extracted.
Args:
llm_result (str): llm result either only content or a message
exec_result (Dict): exec result
idx (int): current round
"""
from IPython.display import display, Pretty, Image, Audio, JSON
idx_info = '*' * 50 + f'round {idx}' + '*' * 50
display(Pretty(idx_info))
if isinstance(llm_result, dict):
llm_result = llm_result.get('content', '')
if agent_type == AgentType.MS_AGENT:
pattern = r'<\|startofthink\|>```JSON([\s\S]*)```<\|endofthink\|>'
else:
pattern = r'```JSON([\s\S]*)```'
match_action = re.search(pattern, llm_result)
if match_action:
result = match_action.group(1)
try:
json_content = json.loads(result, strict=False)
display(JSON(json_content))
llm_result = llm_result.replace(match_action.group(0), '')
except Exception:
pass
display(Pretty(llm_result))
exec_result = exec_result.get('result', '')
if isinstance(exec_result, ImageWrapper) or isinstance(
exec_result, VideoWrapper):
display(Image(exec_result.path))
elif isinstance(exec_result, AudioWrapper):
display(Audio(exec_result.path))
elif isinstance(exec_result, dict):
display(JSON(exec_result))
elif isinstance(exec_result, list):
display(JSON(exec_result))
else:
display(Pretty(exec_result))
return
|