Spaces:
Sleeping
Sleeping
| import math | |
| from typing import Optional, Tuple | |
| from smolagents import tool, DuckDuckGoSearchTool, VisitWebpageTool | |
| search_tool = DuckDuckGoSearchTool() | |
| def calculate_cargo_travel_time( | |
| origin_coords: Tuple[float, float], | |
| destination_coords: Tuple[float, float], | |
| cruising_speed_kmh: Optional[float] = 750.0, # Average speed for cargo planes | |
| ) -> float: | |
| """ | |
| Calculate the travel time for a cargo plane between two points on Earth using great-circle distance. | |
| Args: | |
| origin_coords: Tuple of (latitude, longitude) for the starting point | |
| destination_coords: Tuple of (latitude, longitude) for the destination | |
| cruising_speed_kmh: Optional cruising speed in km/h (defaults to 750 km/h for typical cargo planes) | |
| Returns: | |
| float: The estimated travel time in hours | |
| Example: | |
| >>> # Chicago (41.8781° N, 87.6298° W) to Sydney (33.8688° S, 151.2093° E) | |
| >>> result = calculate_cargo_travel_time((41.8781, -87.6298), (-33.8688, 151.2093)) | |
| """ | |
| def to_radians(degrees: float) -> float: | |
| return degrees * (math.pi / 180) | |
| # Extract coordinates | |
| lat1, lon1 = map(to_radians, origin_coords) | |
| lat2, lon2 = map(to_radians, destination_coords) | |
| # Earth's radius in kilometers | |
| EARTH_RADIUS_KM = 6371.0 | |
| # Calculate great-circle distance using the haversine formula | |
| dlon = lon2 - lon1 | |
| dlat = lat2 - lat1 | |
| a = ( | |
| math.sin(dlat / 2) ** 2 | |
| + math.cos(lat1) * math.cos(lat2) * math.sin(dlon / 2) ** 2 | |
| ) | |
| c = 2 * math.asin(math.sqrt(a)) | |
| distance = EARTH_RADIUS_KM * c | |
| # Add 10% to account for non-direct routes and air traffic controls | |
| actual_distance = distance * 1.1 | |
| # Calculate flight time | |
| # Add 1 hour for takeoff and landing procedures | |
| flight_time = (actual_distance / cruising_speed_kmh) + 1.0 | |
| # Format the results | |
| return round(flight_time, 2) | |
| def visit_webpage(url: str) -> str: | |
| """Visits a webpage at the given URL and returns its content as a markdown string. | |
| Args: | |
| url: The URL of the webpage to visit. | |
| Returns: | |
| The content of the webpage converted to Markdown, or an error message if the request fails. | |
| """ | |
| try: | |
| # Send a GET request to the URL | |
| response = requests.get(url) | |
| response.raise_for_status() # Raise an exception for bad status codes | |
| # Convert the HTML content to Markdown | |
| markdown_content = markdownify(response.text).strip() | |
| # Remove multiple line breaks | |
| markdown_content = re.sub(r"\n{3,}", "\n\n", markdown_content) | |
| return markdown_content | |
| except RequestException as e: | |
| return f"Error fetching the webpage: {str(e)}" | |
| except Exception as e: | |
| return f"An unexpected error occurred: {str(e)}" |