camel-ai 0.2.0__py3-none-any.whl → 0.2.3a0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of camel-ai might be problematic. Click here for more details.
- camel/__init__.py +1 -1
- camel/agents/chat_agent.py +247 -60
- camel/bots/__init__.py +20 -0
- camel/bots/discord_bot.py +206 -0
- camel/bots/telegram_bot.py +82 -0
- camel/configs/gemini_config.py +1 -1
- camel/loaders/firecrawl_reader.py +11 -43
- camel/loaders/unstructured_io.py +35 -1
- camel/messages/func_message.py +2 -2
- camel/models/mistral_model.py +1 -1
- camel/models/openai_compatibility_model.py +19 -6
- camel/retrievers/vector_retriever.py +32 -15
- camel/societies/role_playing.py +12 -0
- camel/storages/__init__.py +2 -0
- camel/storages/graph_storages/__init__.py +2 -0
- camel/storages/graph_storages/nebula_graph.py +547 -0
- camel/tasks/task.py +11 -4
- camel/tasks/task_prompt.py +4 -0
- camel/types/enums.py +3 -0
- camel/utils/commons.py +8 -1
- camel/workforce/__init__.py +6 -6
- camel/workforce/base.py +9 -5
- camel/workforce/prompts.py +179 -0
- camel/workforce/role_playing_worker.py +181 -0
- camel/workforce/{single_agent_node.py → single_agent_worker.py} +49 -23
- camel/workforce/task_channel.py +3 -5
- camel/workforce/utils.py +20 -50
- camel/workforce/{worker_node.py → worker.py} +15 -12
- camel/workforce/workforce.py +456 -19
- {camel_ai-0.2.0.dist-info → camel_ai-0.2.3a0.dist-info}/METADATA +15 -12
- {camel_ai-0.2.0.dist-info → camel_ai-0.2.3a0.dist-info}/RECORD +32 -29
- camel/workforce/manager_node.py +0 -299
- camel/workforce/role_playing_node.py +0 -168
- camel/workforce/workforce_prompt.py +0 -125
- {camel_ai-0.2.0.dist-info → camel_ai-0.2.3a0.dist-info}/WHEEL +0 -0
|
@@ -0,0 +1,82 @@
|
|
|
1
|
+
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
2
|
+
# Licensed under the Apache License, Version 2.0 (the “License”);
|
|
3
|
+
# you may not use this file except in compliance with the License.
|
|
4
|
+
# You may obtain a copy of the License at
|
|
5
|
+
#
|
|
6
|
+
# http://www.apache.org/licenses/LICENSE-2.0
|
|
7
|
+
#
|
|
8
|
+
# Unless required by applicable law or agreed to in writing, software
|
|
9
|
+
# distributed under the License is distributed on an “AS IS” BASIS,
|
|
10
|
+
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
|
11
|
+
# See the License for the specific language governing permissions and
|
|
12
|
+
# limitations under the License.
|
|
13
|
+
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
14
|
+
import os
|
|
15
|
+
from typing import TYPE_CHECKING, Optional
|
|
16
|
+
|
|
17
|
+
from camel.agents import ChatAgent
|
|
18
|
+
from camel.messages import BaseMessage
|
|
19
|
+
from camel.utils import dependencies_required
|
|
20
|
+
|
|
21
|
+
# Conditionally import telebot types only for type checking
|
|
22
|
+
if TYPE_CHECKING:
|
|
23
|
+
from telebot.types import ( # type: ignore[import-untyped]
|
|
24
|
+
Message,
|
|
25
|
+
)
|
|
26
|
+
|
|
27
|
+
|
|
28
|
+
class TelegramBot:
|
|
29
|
+
r"""Represents a Telegram bot that is powered by an agent.
|
|
30
|
+
|
|
31
|
+
Attributes:
|
|
32
|
+
chat_agent (ChatAgent): Chat agent that will power the bot.
|
|
33
|
+
telegram_token (str, optional): The bot token.
|
|
34
|
+
"""
|
|
35
|
+
|
|
36
|
+
@dependencies_required('telebot')
|
|
37
|
+
def __init__(
|
|
38
|
+
self,
|
|
39
|
+
chat_agent: ChatAgent,
|
|
40
|
+
telegram_token: Optional[str] = None,
|
|
41
|
+
) -> None:
|
|
42
|
+
self.chat_agent = chat_agent
|
|
43
|
+
|
|
44
|
+
if not telegram_token:
|
|
45
|
+
self.token = os.getenv('TELEGRAM_TOKEN')
|
|
46
|
+
if not self.token:
|
|
47
|
+
raise ValueError(
|
|
48
|
+
"`TELEGRAM_TOKEN` not found in environment variables. "
|
|
49
|
+
"Get it from t.me/BotFather."
|
|
50
|
+
)
|
|
51
|
+
else:
|
|
52
|
+
self.token = telegram_token
|
|
53
|
+
|
|
54
|
+
import telebot # type: ignore[import-untyped]
|
|
55
|
+
|
|
56
|
+
self.bot = telebot.TeleBot(token=self.token)
|
|
57
|
+
|
|
58
|
+
# Register the message handler within the constructor
|
|
59
|
+
self.bot.message_handler(func=lambda message: True)(self.on_message)
|
|
60
|
+
|
|
61
|
+
def run(self) -> None:
|
|
62
|
+
r"""Start the Telegram bot."""
|
|
63
|
+
print("Telegram bot is running...")
|
|
64
|
+
self.bot.infinity_polling()
|
|
65
|
+
|
|
66
|
+
def on_message(self, message: 'Message') -> None:
|
|
67
|
+
r"""Handles incoming messages from the user.
|
|
68
|
+
|
|
69
|
+
Args:
|
|
70
|
+
message (types.Message): The incoming message object.
|
|
71
|
+
"""
|
|
72
|
+
self.chat_agent.reset()
|
|
73
|
+
|
|
74
|
+
if not message.text:
|
|
75
|
+
return
|
|
76
|
+
|
|
77
|
+
user_msg = BaseMessage.make_user_message(
|
|
78
|
+
role_name="User", content=message.text
|
|
79
|
+
)
|
|
80
|
+
assistant_response = self.chat_agent.step(user_msg)
|
|
81
|
+
|
|
82
|
+
self.bot.reply_to(message, assistant_response.msg.content)
|
camel/configs/gemini_config.py
CHANGED
|
@@ -86,7 +86,7 @@ class GeminiConfig(BaseConfig):
|
|
|
86
86
|
|
|
87
87
|
@model_validator(mode="before")
|
|
88
88
|
@classmethod
|
|
89
|
-
def
|
|
89
|
+
def model_type_checking(cls, data: Any):
|
|
90
90
|
if isinstance(data, dict):
|
|
91
91
|
response_schema = data.get("response_schema")
|
|
92
92
|
safety_settings = data.get("safety_settings")
|
|
@@ -49,7 +49,6 @@ class Firecrawl:
|
|
|
49
49
|
self,
|
|
50
50
|
url: str,
|
|
51
51
|
params: Optional[Dict[str, Any]] = None,
|
|
52
|
-
wait_until_done: bool = True,
|
|
53
52
|
**kwargs: Any,
|
|
54
53
|
) -> Any:
|
|
55
54
|
r"""Crawl a URL and all accessible subpages. Customize the crawl by
|
|
@@ -60,14 +59,12 @@ class Firecrawl:
|
|
|
60
59
|
url (str): The URL to crawl.
|
|
61
60
|
params (Optional[Dict[str, Any]]): Additional parameters for the
|
|
62
61
|
crawl request. Defaults to `None`.
|
|
63
|
-
wait_until_done (bool): Whether to wait until the crawl job is
|
|
64
|
-
completed. Defaults to `True`.
|
|
65
62
|
**kwargs (Any): Additional keyword arguments, such as
|
|
66
|
-
`poll_interval`, `idempotency_key
|
|
63
|
+
`poll_interval`, `idempotency_key`.
|
|
67
64
|
|
|
68
65
|
Returns:
|
|
69
|
-
Any: The
|
|
70
|
-
|
|
66
|
+
Any: The crawl job ID or the crawl results if waiting until
|
|
67
|
+
completion.
|
|
71
68
|
|
|
72
69
|
Raises:
|
|
73
70
|
RuntimeError: If the crawling process fails.
|
|
@@ -78,13 +75,8 @@ class Firecrawl:
|
|
|
78
75
|
url=url,
|
|
79
76
|
params=params,
|
|
80
77
|
**kwargs,
|
|
81
|
-
wait_until_done=wait_until_done,
|
|
82
|
-
)
|
|
83
|
-
return (
|
|
84
|
-
crawl_response
|
|
85
|
-
if wait_until_done
|
|
86
|
-
else crawl_response.get("jobId")
|
|
87
78
|
)
|
|
79
|
+
return crawl_response
|
|
88
80
|
except Exception as e:
|
|
89
81
|
raise RuntimeError(f"Failed to crawl the URL: {e}")
|
|
90
82
|
|
|
@@ -103,7 +95,10 @@ class Firecrawl:
|
|
|
103
95
|
"""
|
|
104
96
|
|
|
105
97
|
try:
|
|
106
|
-
crawl_result = self.app.crawl_url(
|
|
98
|
+
crawl_result = self.app.crawl_url(
|
|
99
|
+
url,
|
|
100
|
+
{'formats': ['markdown']},
|
|
101
|
+
)
|
|
107
102
|
if not isinstance(crawl_result, list):
|
|
108
103
|
raise ValueError("Unexpected response format")
|
|
109
104
|
markdown_contents = [
|
|
@@ -180,41 +175,14 @@ class Firecrawl:
|
|
|
180
175
|
data = self.app.scrape_url(
|
|
181
176
|
url,
|
|
182
177
|
{
|
|
183
|
-
'
|
|
184
|
-
|
|
185
|
-
"extractionPrompt": "Based on the information on "
|
|
186
|
-
"the page, extract the information from the schema.",
|
|
187
|
-
'extractionSchema': output_schema.model_json_schema(),
|
|
188
|
-
},
|
|
189
|
-
'pageOptions': {'onlyMainContent': True},
|
|
178
|
+
'formats': ['extract'],
|
|
179
|
+
'extract': {'schema': output_schema.model_json_schema()},
|
|
190
180
|
},
|
|
191
181
|
)
|
|
192
|
-
return data.get("
|
|
182
|
+
return data.get("extract", {})
|
|
193
183
|
except Exception as e:
|
|
194
184
|
raise RuntimeError(f"Failed to perform structured scrape: {e}")
|
|
195
185
|
|
|
196
|
-
def tidy_scrape(self, url: str) -> str:
|
|
197
|
-
r"""Only return the main content of the page, excluding headers,
|
|
198
|
-
navigation bars, footers, etc. in Markdown format.
|
|
199
|
-
|
|
200
|
-
Args:
|
|
201
|
-
url (str): The URL to read.
|
|
202
|
-
|
|
203
|
-
Returns:
|
|
204
|
-
str: The markdown content of the URL.
|
|
205
|
-
|
|
206
|
-
Raises:
|
|
207
|
-
RuntimeError: If the scrape process fails.
|
|
208
|
-
"""
|
|
209
|
-
|
|
210
|
-
try:
|
|
211
|
-
scrape_result = self.app.scrape_url(
|
|
212
|
-
url, {'pageOptions': {'onlyMainContent': True}}
|
|
213
|
-
)
|
|
214
|
-
return scrape_result.get("markdown", "")
|
|
215
|
-
except Exception as e:
|
|
216
|
-
raise RuntimeError(f"Failed to perform tidy scrape: {e}")
|
|
217
|
-
|
|
218
186
|
def map_site(
|
|
219
187
|
self, url: str, params: Optional[Dict[str, Any]] = None
|
|
220
188
|
) -> list:
|
camel/loaders/unstructured_io.py
CHANGED
|
@@ -13,6 +13,7 @@
|
|
|
13
13
|
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
14
14
|
import uuid
|
|
15
15
|
import warnings
|
|
16
|
+
from io import IOBase
|
|
16
17
|
from typing import (
|
|
17
18
|
Any,
|
|
18
19
|
Dict,
|
|
@@ -108,7 +109,7 @@ class UnstructuredIO:
|
|
|
108
109
|
specified.
|
|
109
110
|
|
|
110
111
|
Notes:
|
|
111
|
-
|
|
112
|
+
Supported file types:
|
|
112
113
|
"csv", "doc", "docx", "epub", "image", "md", "msg", "odt",
|
|
113
114
|
"org", "pdf", "ppt", "pptx", "rtf", "rst", "tsv", "xlsx".
|
|
114
115
|
|
|
@@ -152,6 +153,39 @@ class UnstructuredIO:
|
|
|
152
153
|
warnings.warn(f"Failed to partition the file: {input_path}")
|
|
153
154
|
return None
|
|
154
155
|
|
|
156
|
+
@staticmethod
|
|
157
|
+
def parse_bytes(file: IOBase, **kwargs: Any) -> Union[List[Element], None]:
|
|
158
|
+
r"""Parses a bytes stream and converts its contents into elements.
|
|
159
|
+
|
|
160
|
+
Args:
|
|
161
|
+
file (IOBase): The file in bytes format to be parsed.
|
|
162
|
+
**kwargs: Extra kwargs passed to the partition function.
|
|
163
|
+
|
|
164
|
+
Returns:
|
|
165
|
+
Union[List[Element], None]: List of elements after parsing the file
|
|
166
|
+
if successful, otherwise `None`.
|
|
167
|
+
|
|
168
|
+
Notes:
|
|
169
|
+
Supported file types:
|
|
170
|
+
"csv", "doc", "docx", "epub", "image", "md", "msg", "odt",
|
|
171
|
+
"org", "pdf", "ppt", "pptx", "rtf", "rst", "tsv", "xlsx".
|
|
172
|
+
|
|
173
|
+
References:
|
|
174
|
+
https://docs.unstructured.io/open-source/core-functionality/partitioning
|
|
175
|
+
"""
|
|
176
|
+
|
|
177
|
+
from unstructured.partition.auto import partition
|
|
178
|
+
|
|
179
|
+
try:
|
|
180
|
+
# Use partition to process the bytes stream
|
|
181
|
+
elements = partition(file=file, **kwargs)
|
|
182
|
+
return elements
|
|
183
|
+
except Exception as e:
|
|
184
|
+
import warnings
|
|
185
|
+
|
|
186
|
+
warnings.warn(f"Failed to partition the file stream: {e}")
|
|
187
|
+
return None
|
|
188
|
+
|
|
155
189
|
@staticmethod
|
|
156
190
|
def clean_text_data(
|
|
157
191
|
text: str,
|
camel/messages/func_message.py
CHANGED
|
@@ -93,10 +93,10 @@ class FunctionCallingMessage(BaseMessage):
|
|
|
93
93
|
OpenAIMessage: The converted :obj:`OpenAIMessage` object
|
|
94
94
|
with its role being "function".
|
|
95
95
|
"""
|
|
96
|
-
if
|
|
96
|
+
if not self.func_name:
|
|
97
97
|
raise ValueError(
|
|
98
98
|
"Invalid request for converting into function message"
|
|
99
|
-
" due to missing function name
|
|
99
|
+
" due to missing function name."
|
|
100
100
|
)
|
|
101
101
|
|
|
102
102
|
result_content = {"result": {str(self.result)}}
|
camel/models/mistral_model.py
CHANGED
|
@@ -93,7 +93,7 @@ class MistralModel(BaseModelBackend):
|
|
|
93
93
|
"name": tool_call.function.name, # type: ignore[union-attr]
|
|
94
94
|
"arguments": tool_call.function.arguments, # type: ignore[union-attr]
|
|
95
95
|
},
|
|
96
|
-
type=tool_call.
|
|
96
|
+
type=tool_call.type, # type: ignore[union-attr]
|
|
97
97
|
)
|
|
98
98
|
for tool_call in response.choices[0].message.tool_calls
|
|
99
99
|
]
|
|
@@ -12,6 +12,7 @@
|
|
|
12
12
|
# limitations under the License.
|
|
13
13
|
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
14
14
|
|
|
15
|
+
import os
|
|
15
16
|
from typing import Any, Dict, List, Optional, Union
|
|
16
17
|
|
|
17
18
|
from openai import OpenAI, Stream
|
|
@@ -25,14 +26,14 @@ from camel.utils import (
|
|
|
25
26
|
|
|
26
27
|
|
|
27
28
|
class OpenAICompatibilityModel:
|
|
28
|
-
r"""
|
|
29
|
+
r"""LLM API served by OpenAI-compatible providers."""
|
|
29
30
|
|
|
30
31
|
def __init__(
|
|
31
32
|
self,
|
|
32
33
|
model_type: str,
|
|
33
34
|
model_config_dict: Dict[str, Any],
|
|
34
|
-
api_key: str,
|
|
35
|
-
url: str,
|
|
35
|
+
api_key: Optional[str] = None,
|
|
36
|
+
url: Optional[str] = None,
|
|
36
37
|
token_counter: Optional[BaseTokenCounter] = None,
|
|
37
38
|
) -> None:
|
|
38
39
|
r"""Constructor for model backend.
|
|
@@ -51,13 +52,25 @@ class OpenAICompatibilityModel:
|
|
|
51
52
|
"""
|
|
52
53
|
self.model_type = model_type
|
|
53
54
|
self.model_config_dict = model_config_dict
|
|
54
|
-
self.
|
|
55
|
+
self._url = url or os.environ.get("OPENAI_COMPATIBILIY_API_BASE_URL")
|
|
56
|
+
self._api_key = api_key or os.environ.get(
|
|
57
|
+
"OPENAI_COMPATIBILIY_API_KEY"
|
|
58
|
+
)
|
|
59
|
+
if self._url is None:
|
|
60
|
+
raise ValueError(
|
|
61
|
+
"For OpenAI-compatible models, you must provide the `url`."
|
|
62
|
+
)
|
|
63
|
+
if self._api_key is None:
|
|
64
|
+
raise ValueError(
|
|
65
|
+
"For OpenAI-compatible models, you must provide the `api_key`."
|
|
66
|
+
)
|
|
55
67
|
self._client = OpenAI(
|
|
56
68
|
timeout=60,
|
|
57
69
|
max_retries=3,
|
|
58
|
-
|
|
59
|
-
|
|
70
|
+
base_url=self._url,
|
|
71
|
+
api_key=self._api_key,
|
|
60
72
|
)
|
|
73
|
+
self._token_counter = token_counter
|
|
61
74
|
|
|
62
75
|
def run(
|
|
63
76
|
self,
|
|
@@ -13,6 +13,7 @@
|
|
|
13
13
|
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
14
14
|
import os
|
|
15
15
|
import warnings
|
|
16
|
+
from io import IOBase
|
|
16
17
|
from typing import Any, Dict, List, Optional, Union
|
|
17
18
|
from urllib.parse import urlparse
|
|
18
19
|
|
|
@@ -72,26 +73,34 @@ class VectorRetriever(BaseRetriever):
|
|
|
72
73
|
|
|
73
74
|
def process(
|
|
74
75
|
self,
|
|
75
|
-
content: Union[str, Element],
|
|
76
|
+
content: Union[str, Element, IOBase],
|
|
76
77
|
chunk_type: str = "chunk_by_title",
|
|
77
78
|
max_characters: int = 500,
|
|
79
|
+
embed_batch: int = 50,
|
|
80
|
+
should_chunk: bool = True,
|
|
78
81
|
**kwargs: Any,
|
|
79
82
|
) -> None:
|
|
80
|
-
r"""Processes content from
|
|
81
|
-
|
|
82
|
-
|
|
83
|
+
r"""Processes content from local file path, remote URL, string
|
|
84
|
+
content, Element object, or a binary file object, divides it into
|
|
85
|
+
chunks by using `Unstructured IO`, and stores their embeddings in the
|
|
86
|
+
specified vector storage.
|
|
83
87
|
|
|
84
88
|
Args:
|
|
85
|
-
content (Union[str, Element]): Local file path, remote
|
|
86
|
-
string content or
|
|
89
|
+
content (Union[str, Element, IOBase]): Local file path, remote
|
|
90
|
+
URL, string content, Element object, or a binary file object.
|
|
87
91
|
chunk_type (str): Type of chunking going to apply. Defaults to
|
|
88
92
|
"chunk_by_title".
|
|
89
93
|
max_characters (int): Max number of characters in each chunk.
|
|
90
94
|
Defaults to `500`.
|
|
95
|
+
embed_batch (int): Size of batch for embeddings. Defaults to `50`.
|
|
96
|
+
should_chunk (bool): If True, divide the content into chunks,
|
|
97
|
+
otherwise skip chunking. Defaults to True.
|
|
91
98
|
**kwargs (Any): Additional keyword arguments for content parsing.
|
|
92
99
|
"""
|
|
93
100
|
if isinstance(content, Element):
|
|
94
101
|
elements = [content]
|
|
102
|
+
elif isinstance(content, IOBase):
|
|
103
|
+
elements = self.uio.parse_bytes(file=content, **kwargs) or []
|
|
95
104
|
else:
|
|
96
105
|
# Check if the content is URL
|
|
97
106
|
parsed_url = urlparse(content)
|
|
@@ -100,20 +109,26 @@ class VectorRetriever(BaseRetriever):
|
|
|
100
109
|
elements = self.uio.parse_file_or_url(content, **kwargs) or []
|
|
101
110
|
else:
|
|
102
111
|
elements = [self.uio.create_element_from_text(text=content)]
|
|
103
|
-
if elements:
|
|
104
|
-
chunks = self.uio.chunk_elements(
|
|
105
|
-
chunk_type=chunk_type,
|
|
106
|
-
elements=elements,
|
|
107
|
-
max_characters=max_characters,
|
|
108
|
-
)
|
|
109
112
|
if not elements:
|
|
110
113
|
warnings.warn(
|
|
111
114
|
f"No elements were extracted from the content: {content}"
|
|
112
115
|
)
|
|
113
116
|
return
|
|
114
|
-
|
|
115
|
-
|
|
116
|
-
|
|
117
|
+
|
|
118
|
+
# Chunk the content if required
|
|
119
|
+
chunks = (
|
|
120
|
+
self.uio.chunk_elements(
|
|
121
|
+
chunk_type=chunk_type,
|
|
122
|
+
elements=elements,
|
|
123
|
+
max_characters=max_characters,
|
|
124
|
+
)
|
|
125
|
+
if should_chunk
|
|
126
|
+
else elements
|
|
127
|
+
)
|
|
128
|
+
|
|
129
|
+
# Process chunks in batches and store embeddings
|
|
130
|
+
for i in range(0, len(chunks), embed_batch):
|
|
131
|
+
batch_chunks = chunks[i : i + embed_batch]
|
|
117
132
|
batch_vectors = self.embedding_model.embed_list(
|
|
118
133
|
objs=[str(chunk) for chunk in batch_chunks]
|
|
119
134
|
)
|
|
@@ -124,6 +139,8 @@ class VectorRetriever(BaseRetriever):
|
|
|
124
139
|
for vector, chunk in zip(batch_vectors, batch_chunks):
|
|
125
140
|
if isinstance(content, str):
|
|
126
141
|
content_path_info = {"content path": content}
|
|
142
|
+
elif isinstance(content, IOBase):
|
|
143
|
+
content_path_info = {"content path": "From file bytes"}
|
|
127
144
|
elif isinstance(content, Element):
|
|
128
145
|
content_path_info = {
|
|
129
146
|
"content path": content.metadata.file_directory
|
camel/societies/role_playing.py
CHANGED
|
@@ -11,6 +11,7 @@
|
|
|
11
11
|
# See the License for the specific language governing permissions and
|
|
12
12
|
# limitations under the License.
|
|
13
13
|
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
14
|
+
import logging
|
|
14
15
|
from typing import Dict, List, Optional, Sequence, Tuple, Union
|
|
15
16
|
|
|
16
17
|
from camel.agents import (
|
|
@@ -27,6 +28,9 @@ from camel.prompts import TextPrompt
|
|
|
27
28
|
from camel.responses import ChatAgentResponse
|
|
28
29
|
from camel.types import RoleType, TaskType
|
|
29
30
|
|
|
31
|
+
logger = logging.getLogger(__name__)
|
|
32
|
+
logger.setLevel(logging.WARNING)
|
|
33
|
+
|
|
30
34
|
|
|
31
35
|
class RolePlaying:
|
|
32
36
|
r"""Role playing between two agents.
|
|
@@ -97,6 +101,14 @@ class RolePlaying:
|
|
|
97
101
|
extend_task_specify_meta_dict: Optional[Dict] = None,
|
|
98
102
|
output_language: Optional[str] = None,
|
|
99
103
|
) -> None:
|
|
104
|
+
if model is not None:
|
|
105
|
+
logger.warning(
|
|
106
|
+
"The provided model will override the model settings in "
|
|
107
|
+
"all agents, including any configurations passed "
|
|
108
|
+
"through assistant_agent_kwargs, user_agent_kwargs, and "
|
|
109
|
+
"other agent-specific kwargs."
|
|
110
|
+
)
|
|
111
|
+
|
|
100
112
|
self.with_task_specify = with_task_specify
|
|
101
113
|
self.with_task_planner = with_task_planner
|
|
102
114
|
self.with_critic_in_the_loop = with_critic_in_the_loop
|
camel/storages/__init__.py
CHANGED
|
@@ -13,6 +13,7 @@
|
|
|
13
13
|
# =========== Copyright 2023 @ CAMEL-AI.org. All Rights Reserved. ===========
|
|
14
14
|
|
|
15
15
|
from .graph_storages.base import BaseGraphStorage
|
|
16
|
+
from .graph_storages.nebula_graph import NebulaGraph
|
|
16
17
|
from .graph_storages.neo4j_graph import Neo4jGraph
|
|
17
18
|
from .key_value_storages.base import BaseKeyValueStorage
|
|
18
19
|
from .key_value_storages.in_memory import InMemoryKeyValueStorage
|
|
@@ -40,4 +41,5 @@ __all__ = [
|
|
|
40
41
|
'MilvusStorage',
|
|
41
42
|
'BaseGraphStorage',
|
|
42
43
|
'Neo4jGraph',
|
|
44
|
+
'NebulaGraph',
|
|
43
45
|
]
|
|
@@ -14,10 +14,12 @@
|
|
|
14
14
|
|
|
15
15
|
from .base import BaseGraphStorage
|
|
16
16
|
from .graph_element import GraphElement
|
|
17
|
+
from .nebula_graph import NebulaGraph
|
|
17
18
|
from .neo4j_graph import Neo4jGraph
|
|
18
19
|
|
|
19
20
|
__all__ = [
|
|
20
21
|
'BaseGraphStorage',
|
|
21
22
|
'GraphElement',
|
|
22
23
|
'Neo4jGraph',
|
|
24
|
+
'NebulaGraph',
|
|
23
25
|
]
|