File size: 9,115 Bytes
d8d14f1
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
from typing import List, Dict
from dataclasses import dataclass
from datetime import datetime
import asyncio
import aiohttp
from loguru import logger
from swarms import Agent
from pathlib import Path
import json


@dataclass
class CryptoData:
    """Real-time cryptocurrency data structure"""

    symbol: str
    current_price: float
    market_cap: float
    total_volume: float
    price_change_24h: float
    market_cap_rank: int


class DataFetcher:
    """Handles real-time data fetching from CoinGecko"""

    def __init__(self):
        self.base_url = "https://api.coingecko.com/api/v3"
        self.session = None

    async def _init_session(self):
        if self.session is None:
            self.session = aiohttp.ClientSession()

    async def close(self):
        if self.session:
            await self.session.close()
            self.session = None

    async def get_market_data(
        self, limit: int = 20
    ) -> List[CryptoData]:
        """Fetch market data for top cryptocurrencies"""
        await self._init_session()

        url = f"{self.base_url}/coins/markets"
        params = {
            "vs_currency": "usd",
            "order": "market_cap_desc",
            "per_page": str(limit),
            "page": "1",
            "sparkline": "false",
        }

        try:
            async with self.session.get(
                url, params=params
            ) as response:
                if response.status != 200:
                    logger.error(
                        f"API Error {response.status}: {await response.text()}"
                    )
                    return []

                data = await response.json()
                crypto_data = []

                for coin in data:
                    try:
                        crypto_data.append(
                            CryptoData(
                                symbol=str(
                                    coin.get("symbol", "")
                                ).upper(),
                                current_price=float(
                                    coin.get("current_price", 0)
                                ),
                                market_cap=float(
                                    coin.get("market_cap", 0)
                                ),
                                total_volume=float(
                                    coin.get("total_volume", 0)
                                ),
                                price_change_24h=float(
                                    coin.get("price_change_24h", 0)
                                ),
                                market_cap_rank=int(
                                    coin.get("market_cap_rank", 0)
                                ),
                            )
                        )
                    except (ValueError, TypeError) as e:
                        logger.error(
                            f"Error processing coin data: {str(e)}"
                        )
                        continue

                logger.info(
                    f"Successfully fetched data for {len(crypto_data)} coins"
                )
                return crypto_data

        except Exception as e:
            logger.error(f"Exception in get_market_data: {str(e)}")
            return []


class CryptoSwarmSystem:
    def __init__(self):
        self.agents = self._initialize_agents()
        self.data_fetcher = DataFetcher()
        logger.info("Crypto Swarm System initialized")

    def _initialize_agents(self) -> Dict[str, Agent]:
        """Initialize different specialized agents"""
        base_config = {
            "max_loops": 1,
            "autosave": True,
            "dashboard": False,
            "verbose": True,
            "dynamic_temperature_enabled": True,
            "retry_attempts": 3,
            "context_length": 200000,
            "return_step_meta": False,
            "output_type": "string",
            "streaming_on": False,
        }

        agents = {
            "price_analyst": Agent(
                agent_name="Price-Analysis-Agent",
                system_prompt="""Analyze the given cryptocurrency price data and provide insights about:
                1. Price trends and movements
                2. Notable price actions
                3. Potential support/resistance levels""",
                saved_state_path="price_agent.json",
                user_name="price_analyzer",
                **base_config,
            ),
            "volume_analyst": Agent(
                agent_name="Volume-Analysis-Agent",
                system_prompt="""Analyze the given cryptocurrency volume data and provide insights about:
                1. Volume trends
                2. Notable volume spikes
                3. Market participation levels""",
                saved_state_path="volume_agent.json",
                user_name="volume_analyzer",
                **base_config,
            ),
            "market_analyst": Agent(
                agent_name="Market-Analysis-Agent",
                system_prompt="""Analyze the overall cryptocurrency market data and provide insights about:
                1. Market trends
                2. Market dominance
                3. Notable market movements""",
                saved_state_path="market_agent.json",
                user_name="market_analyzer",
                **base_config,
            ),
        }
        return agents

    async def analyze_market(self) -> Dict:
        """Run real-time market analysis using all agents"""
        try:
            # Fetch market data
            logger.info("Fetching market data for top 20 coins")
            crypto_data = await self.data_fetcher.get_market_data(20)

            if not crypto_data:
                return {
                    "error": "Failed to fetch market data",
                    "timestamp": datetime.now().isoformat(),
                }

            # Run analysis with each agent
            results = {}
            for agent_name, agent in self.agents.items():
                logger.info(f"Running {agent_name} analysis")
                analysis = self._run_agent_analysis(
                    agent, crypto_data
                )
                results[agent_name] = analysis

            return {
                "timestamp": datetime.now().isoformat(),
                "market_data": {
                    coin.symbol: {
                        "price": coin.current_price,
                        "market_cap": coin.market_cap,
                        "volume": coin.total_volume,
                        "price_change_24h": coin.price_change_24h,
                        "rank": coin.market_cap_rank,
                    }
                    for coin in crypto_data
                },
                "analysis": results,
            }

        except Exception as e:
            logger.error(f"Error in market analysis: {str(e)}")
            return {
                "error": str(e),
                "timestamp": datetime.now().isoformat(),
            }

    def _run_agent_analysis(
        self, agent: Agent, crypto_data: List[CryptoData]
    ) -> str:
        """Run analysis for a single agent"""
        try:
            data_str = json.dumps(
                [
                    {
                        "symbol": cd.symbol,
                        "price": cd.current_price,
                        "market_cap": cd.market_cap,
                        "volume": cd.total_volume,
                        "price_change_24h": cd.price_change_24h,
                        "rank": cd.market_cap_rank,
                    }
                    for cd in crypto_data
                ],
                indent=2,
            )

            prompt = f"""Analyze this real-time cryptocurrency market data and provide detailed insights:
            {data_str}"""

            return agent.run(prompt)

        except Exception as e:
            logger.error(f"Error in {agent.agent_name}: {str(e)}")
            return f"Error: {str(e)}"


async def main():
    # Create output directory
    Path("reports").mkdir(exist_ok=True)

    # Initialize the swarm system
    swarm = CryptoSwarmSystem()

    while True:
        try:
            # Run analysis
            report = await swarm.analyze_market()

            # Save report
            timestamp = datetime.now().strftime("%Y%m%d_%H%M%S")
            report_path = f"reports/market_analysis_{timestamp}.json"

            with open(report_path, "w") as f:
                json.dump(report, f, indent=2, default=str)

            logger.info(
                f"Analysis complete. Report saved to {report_path}"
            )

            # Wait before next analysis
            await asyncio.sleep(300)  # 5 minutes

        except Exception as e:
            logger.error(f"Error in main loop: {str(e)}")
            await asyncio.sleep(60)  # Wait 1 minute before retrying
        finally:
            if swarm.data_fetcher.session:
                await swarm.data_fetcher.close()


if __name__ == "__main__":
    asyncio.run(main())