praisonaiagents 0.0.77__py3-none-any.whl → 0.0.78__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.
- praisonaiagents/agent/agent.py +161 -1
- {praisonaiagents-0.0.77.dist-info → praisonaiagents-0.0.78.dist-info}/METADATA +5 -1
- {praisonaiagents-0.0.77.dist-info → praisonaiagents-0.0.78.dist-info}/RECORD +5 -5
- {praisonaiagents-0.0.77.dist-info → praisonaiagents-0.0.78.dist-info}/WHEEL +0 -0
- {praisonaiagents-0.0.77.dist-info → praisonaiagents-0.0.78.dist-info}/top_level.txt +0 -0
praisonaiagents/agent/agent.py
CHANGED
@@ -22,9 +22,16 @@ import inspect
|
|
22
22
|
import uuid
|
23
23
|
from dataclasses import dataclass
|
24
24
|
|
25
|
+
# Don't import FastAPI dependencies here - use lazy loading instead
|
26
|
+
|
25
27
|
if TYPE_CHECKING:
|
26
28
|
from ..task.task import Task
|
27
29
|
|
30
|
+
# Shared variables for API server
|
31
|
+
_shared_app = None
|
32
|
+
_server_started = False
|
33
|
+
_registered_agents = {}
|
34
|
+
|
28
35
|
@dataclass
|
29
36
|
class ChatCompletionMessage:
|
30
37
|
content: str
|
@@ -1399,4 +1406,157 @@ Your Goal: {self.goal}
|
|
1399
1406
|
|
1400
1407
|
except Exception as e:
|
1401
1408
|
logging.error(f"Error in execute_tool_async: {str(e)}", exc_info=True)
|
1402
|
-
return {"error": f"Error in execute_tool_async: {str(e)}"}
|
1409
|
+
return {"error": f"Error in execute_tool_async: {str(e)}"}
|
1410
|
+
|
1411
|
+
def launch(self, path: str = '/', port: int = 8000, host: str = '0.0.0.0', autostart: bool = True, debug: bool = False, blocking: bool = True):
|
1412
|
+
"""
|
1413
|
+
Launch the agent as an HTTP API endpoint.
|
1414
|
+
|
1415
|
+
Args:
|
1416
|
+
path: API endpoint path (default: '/')
|
1417
|
+
port: Server port (default: 8000)
|
1418
|
+
host: Server host (default: '0.0.0.0')
|
1419
|
+
autostart: Whether to start the server automatically (default: True)
|
1420
|
+
debug: Enable debug mode for uvicorn (default: False)
|
1421
|
+
blocking: If True, blocks the main thread to keep the server running (default: True)
|
1422
|
+
|
1423
|
+
Returns:
|
1424
|
+
None
|
1425
|
+
"""
|
1426
|
+
global _server_started, _registered_agents, _shared_app
|
1427
|
+
|
1428
|
+
# Try to import FastAPI dependencies - lazy loading
|
1429
|
+
try:
|
1430
|
+
import uvicorn
|
1431
|
+
from fastapi import FastAPI, HTTPException, Request
|
1432
|
+
from fastapi.responses import JSONResponse
|
1433
|
+
from pydantic import BaseModel
|
1434
|
+
|
1435
|
+
# Define the request model here since we need pydantic
|
1436
|
+
class AgentQuery(BaseModel):
|
1437
|
+
query: str
|
1438
|
+
|
1439
|
+
except ImportError as e:
|
1440
|
+
# Check which specific module is missing
|
1441
|
+
missing_module = str(e).split("No module named '")[-1].rstrip("'")
|
1442
|
+
display_error(f"Missing dependency: {missing_module}. Required for launch() method.")
|
1443
|
+
logging.error(f"Missing dependency: {missing_module}. Required for launch() method.")
|
1444
|
+
print(f"\nTo add API capabilities, install the required dependencies:")
|
1445
|
+
print(f"pip install {missing_module}")
|
1446
|
+
print("\nOr install all API dependencies with:")
|
1447
|
+
print("pip install 'praisonaiagents[api]'")
|
1448
|
+
return None
|
1449
|
+
|
1450
|
+
# Initialize shared FastAPI app if not already created
|
1451
|
+
if _shared_app is None:
|
1452
|
+
_shared_app = FastAPI(
|
1453
|
+
title="PraisonAI Agents API",
|
1454
|
+
description="API for interacting with PraisonAI Agents"
|
1455
|
+
)
|
1456
|
+
|
1457
|
+
# Add a root endpoint with a welcome message
|
1458
|
+
@_shared_app.get("/")
|
1459
|
+
async def root():
|
1460
|
+
return {"message": "Welcome to PraisonAI Agents API. See /docs for usage."}
|
1461
|
+
|
1462
|
+
# Normalize path to ensure it starts with /
|
1463
|
+
if not path.startswith('/'):
|
1464
|
+
path = f'/{path}'
|
1465
|
+
|
1466
|
+
# Check if path is already registered by another agent
|
1467
|
+
if path in _registered_agents and _registered_agents[path] != self.agent_id:
|
1468
|
+
existing_agent = _registered_agents[path]
|
1469
|
+
logging.warning(f"Path '{path}' is already registered by another agent. Please use a different path.")
|
1470
|
+
print(f"⚠️ Warning: Path '{path}' is already registered by another agent.")
|
1471
|
+
# Use a modified path to avoid conflicts
|
1472
|
+
original_path = path
|
1473
|
+
path = f"{path}_{self.agent_id[:6]}"
|
1474
|
+
logging.warning(f"Using '{path}' instead of '{original_path}'")
|
1475
|
+
print(f"🔄 Using '{path}' instead")
|
1476
|
+
|
1477
|
+
# Register the agent to this path
|
1478
|
+
_registered_agents[path] = self.agent_id
|
1479
|
+
|
1480
|
+
# Define the endpoint handler
|
1481
|
+
@_shared_app.post(path)
|
1482
|
+
async def handle_agent_query(request: Request, query_data: Optional[AgentQuery] = None):
|
1483
|
+
# Handle both direct JSON with query field and form data
|
1484
|
+
if query_data is None:
|
1485
|
+
try:
|
1486
|
+
request_data = await request.json()
|
1487
|
+
if "query" not in request_data:
|
1488
|
+
raise HTTPException(status_code=400, detail="Missing 'query' field in request")
|
1489
|
+
query = request_data["query"]
|
1490
|
+
except:
|
1491
|
+
# Fallback to form data or query params
|
1492
|
+
form_data = await request.form()
|
1493
|
+
if "query" in form_data:
|
1494
|
+
query = form_data["query"]
|
1495
|
+
else:
|
1496
|
+
raise HTTPException(status_code=400, detail="Missing 'query' field in request")
|
1497
|
+
else:
|
1498
|
+
query = query_data.query
|
1499
|
+
|
1500
|
+
try:
|
1501
|
+
# Use async version if available, otherwise use sync version
|
1502
|
+
if asyncio.iscoroutinefunction(self.chat):
|
1503
|
+
response = await self.achat(query)
|
1504
|
+
else:
|
1505
|
+
# Run sync function in a thread to avoid blocking
|
1506
|
+
loop = asyncio.get_event_loop()
|
1507
|
+
response = await loop.run_in_executor(None, lambda: self.chat(query))
|
1508
|
+
|
1509
|
+
return {"response": response}
|
1510
|
+
except Exception as e:
|
1511
|
+
logging.error(f"Error processing query: {str(e)}", exc_info=True)
|
1512
|
+
return JSONResponse(
|
1513
|
+
status_code=500,
|
1514
|
+
content={"error": f"Error processing query: {str(e)}"}
|
1515
|
+
)
|
1516
|
+
|
1517
|
+
print(f"🚀 Agent '{self.name}' available at http://{host}:{port}{path}")
|
1518
|
+
|
1519
|
+
# Start the server if this is the first launch call and autostart is True
|
1520
|
+
if autostart and not _server_started:
|
1521
|
+
_server_started = True
|
1522
|
+
|
1523
|
+
# Add healthcheck endpoint
|
1524
|
+
@_shared_app.get("/health")
|
1525
|
+
async def healthcheck():
|
1526
|
+
return {"status": "ok", "agents": list(_registered_agents.keys())}
|
1527
|
+
|
1528
|
+
# Start the server in a separate thread to not block execution
|
1529
|
+
import threading
|
1530
|
+
def run_server():
|
1531
|
+
try:
|
1532
|
+
uvicorn.run(_shared_app, host=host, port=port, log_level="debug" if debug else "info")
|
1533
|
+
except Exception as e:
|
1534
|
+
logging.error(f"Error starting server: {str(e)}", exc_info=True)
|
1535
|
+
print(f"❌ Error starting server: {str(e)}")
|
1536
|
+
|
1537
|
+
server_thread = threading.Thread(target=run_server, daemon=True)
|
1538
|
+
server_thread.start()
|
1539
|
+
|
1540
|
+
# Give the server a moment to start up
|
1541
|
+
import time
|
1542
|
+
time.sleep(0.5)
|
1543
|
+
|
1544
|
+
print(f"✅ FastAPI server started at http://{host}:{port}")
|
1545
|
+
print(f"📚 API documentation available at http://{host}:{port}/docs")
|
1546
|
+
|
1547
|
+
# If blocking is True, keep the main thread alive
|
1548
|
+
if blocking:
|
1549
|
+
print("\nServer is running in blocking mode. Press Ctrl+C to stop...")
|
1550
|
+
try:
|
1551
|
+
while True:
|
1552
|
+
time.sleep(1)
|
1553
|
+
except KeyboardInterrupt:
|
1554
|
+
print("\nServer stopped")
|
1555
|
+
else:
|
1556
|
+
# Note for non-blocking mode
|
1557
|
+
print("\nNote: Server is running in a background thread. To keep it alive, either:")
|
1558
|
+
print("1. Set blocking=True when calling launch()")
|
1559
|
+
print("2. Keep your main application running")
|
1560
|
+
print("3. Use a loop in your code to prevent the program from exiting")
|
1561
|
+
|
1562
|
+
return None
|
@@ -1,6 +1,6 @@
|
|
1
1
|
Metadata-Version: 2.4
|
2
2
|
Name: praisonaiagents
|
3
|
-
Version: 0.0.
|
3
|
+
Version: 0.0.78
|
4
4
|
Summary: Praison AI agents for completing complex tasks with Self Reflection Agents
|
5
5
|
Author: Mervin Praison
|
6
6
|
Requires-Dist: pydantic
|
@@ -19,8 +19,12 @@ Requires-Dist: chonkie>=1.0.2; extra == "knowledge"
|
|
19
19
|
Provides-Extra: llm
|
20
20
|
Requires-Dist: litellm>=1.50.0; extra == "llm"
|
21
21
|
Requires-Dist: pydantic>=2.4.2; extra == "llm"
|
22
|
+
Provides-Extra: api
|
23
|
+
Requires-Dist: fastapi>=0.115.0; extra == "api"
|
24
|
+
Requires-Dist: uvicorn>=0.34.0; extra == "api"
|
22
25
|
Provides-Extra: all
|
23
26
|
Requires-Dist: praisonaiagents[memory]; extra == "all"
|
24
27
|
Requires-Dist: praisonaiagents[knowledge]; extra == "all"
|
25
28
|
Requires-Dist: praisonaiagents[llm]; extra == "all"
|
26
29
|
Requires-Dist: praisonaiagents[mcp]; extra == "all"
|
30
|
+
Requires-Dist: praisonaiagents[api]; extra == "all"
|
@@ -1,7 +1,7 @@
|
|
1
1
|
praisonaiagents/__init__.py,sha256=Z2_rSA6mYozz0r3ioUgKzl3QV8uWRDS_QaqPg2oGjqg,1324
|
2
2
|
praisonaiagents/main.py,sha256=l29nGEbV2ReBi4szURbnH0Fk0w2F_QZTmECysyZjYcA,15066
|
3
3
|
praisonaiagents/agent/__init__.py,sha256=j0T19TVNbfZcClvpbZDDinQxZ0oORgsMrMqx16jZ-bA,128
|
4
|
-
praisonaiagents/agent/agent.py,sha256=
|
4
|
+
praisonaiagents/agent/agent.py,sha256=mkZOHL_qgZaiX_DXTgiDlMIfjTmrqeMpi088VCC_YOo,73946
|
5
5
|
praisonaiagents/agent/image_agent.py,sha256=-5MXG594HVwSpFMcidt16YBp7udtik-Cp7eXlzLE1fY,8696
|
6
6
|
praisonaiagents/agents/__init__.py,sha256=_1d6Pqyk9EoBSo7E68sKyd1jDRlN1vxvVIRpoMc0Jcw,168
|
7
7
|
praisonaiagents/agents/agents.py,sha256=uAOHyn77noFvg3sYVFRhQUuc1LDpCMpfLND8CKOXAd4,37971
|
@@ -40,7 +40,7 @@ praisonaiagents/tools/xml_tools.py,sha256=iYTMBEk5l3L3ryQ1fkUnNVYK-Nnua2Kx2S0dxN
|
|
40
40
|
praisonaiagents/tools/yaml_tools.py,sha256=uogAZrhXV9O7xvspAtcTfpKSQYL2nlOTvCQXN94-G9A,14215
|
41
41
|
praisonaiagents/tools/yfinance_tools.py,sha256=s2PBj_1v7oQnOobo2fDbQBACEHl61ftG4beG6Z979ZE,8529
|
42
42
|
praisonaiagents/tools/train/data/generatecot.py,sha256=H6bNh-E2hqL5MW6kX3hqZ05g9ETKN2-kudSjiuU_SD8,19403
|
43
|
-
praisonaiagents-0.0.
|
44
|
-
praisonaiagents-0.0.
|
45
|
-
praisonaiagents-0.0.
|
46
|
-
praisonaiagents-0.0.
|
43
|
+
praisonaiagents-0.0.78.dist-info/METADATA,sha256=VwX1r4Ib2OxhTYVqSHpEluxljiGzNy7eifYi6wBRbTk,1149
|
44
|
+
praisonaiagents-0.0.78.dist-info/WHEEL,sha256=DnLRTWE75wApRYVsjgc6wsVswC54sMSJhAEd4xhDpBk,91
|
45
|
+
praisonaiagents-0.0.78.dist-info/top_level.txt,sha256=_HsRddrJ23iDx5TTqVUVvXG2HeHBL5voshncAMDGjtA,16
|
46
|
+
praisonaiagents-0.0.78.dist-info/RECORD,,
|
File without changes
|
File without changes
|