Update app.py
Browse files
app.py
CHANGED
|
@@ -14,7 +14,7 @@ from datetime import datetime, timedelta
|
|
| 14 |
logging.basicConfig(level=logging.INFO)
|
| 15 |
logger = logging.getLogger(__name__)
|
| 16 |
|
| 17 |
-
class
|
| 18 |
def __init__(self):
|
| 19 |
self.base_url = "https://huggingface.co"
|
| 20 |
self.docs_url = "https://huggingface.co/docs"
|
|
@@ -160,330 +160,80 @@ class HuggingFaceInfoServer:
|
|
| 160 |
return content
|
| 161 |
|
| 162 |
def search_documentation(self, query: str, max_results: int = 3) -> str:
|
| 163 |
-
|
| 164 |
-
|
| 165 |
-
This tool is useful for finding how-to guides, explanations of concepts like 'pipeline' or 'tokenizer', and usage examples.
|
| 166 |
-
Args:
|
| 167 |
-
query (str): The topic or keyword to search for in the documentation (e.g., 'fine-tuning', 'peft', 'datasets').
|
| 168 |
-
max_results (int): The maximum number of documentation pages to retrieve and summarize. Defaults to 3.
|
| 169 |
-
"""
|
| 170 |
-
try:
|
| 171 |
-
max_results = int(max_results) if isinstance(max_results, str) else max_results
|
| 172 |
-
max_results = min(max_results, 5)
|
| 173 |
-
query_lower = query.lower().strip()
|
| 174 |
-
if not query_lower:
|
| 175 |
-
return "Please provide a search query."
|
| 176 |
-
doc_sections = {
|
| 177 |
-
'transformers': {'base_url': 'https://huggingface.co/docs/transformers', 'topics': {'pipeline': '/main_classes/pipelines', 'tokenizer': '/main_classes/tokenizer', 'trainer': '/main_classes/trainer', 'model': '/main_classes/model', 'quicktour': '/quicktour', 'installation': '/installation', 'fine-tuning': '/training', 'training': '/training', 'inference': '/main_classes/pipelines', 'preprocessing': '/preprocessing', 'tutorial': '/tutorials', 'configuration': '/main_classes/configuration', 'peft': '/peft', 'lora': '/peft', 'quantization': '/main_classes/quantization', 'generation': '/main_classes/text_generation', 'optimization': '/perf_train_gpu_one', 'deployment': '/deployment', 'custom': '/custom_models'}},
|
| 178 |
-
'datasets': {'base_url': 'https://huggingface.co/docs/datasets', 'topics': {'loading': '/load_hub', 'load': '/load_hub', 'processing': '/process', 'streaming': '/stream', 'audio': '/audio_process', 'image': '/image_process', 'text': '/nlp_process', 'arrow': '/about_arrow', 'cache': '/cache', 'upload': '/upload_dataset', 'custom': '/dataset_script'}},
|
| 179 |
-
'diffusers': {'base_url': 'https://huggingface.co/docs/diffusers', 'topics': {'pipeline': '/using-diffusers/loading', 'stable diffusion': '/using-diffusers/stable_diffusion', 'controlnet': '/using-diffusers/controlnet', 'inpainting': '/using-diffusers/inpaint', 'training': '/training/overview', 'optimization': '/optimization/fp16', 'schedulers': '/using-diffusers/schedulers'}},
|
| 180 |
-
'hub': {'base_url': 'https://huggingface.co/docs/hub', 'topics': {'repositories': '/repositories', 'git': '/repositories-getting-started', 'spaces': '/spaces', 'models': '/models', 'datasets': '/datasets'}}
|
| 181 |
-
}
|
| 182 |
-
relevant_urls = []
|
| 183 |
-
for section_name, section_data in doc_sections.items():
|
| 184 |
-
base_url = section_data['base_url']
|
| 185 |
-
topics = section_data['topics']
|
| 186 |
-
for topic, path in topics.items():
|
| 187 |
-
relevance = 0
|
| 188 |
-
if query_lower == topic.lower(): relevance = 1.0
|
| 189 |
-
elif query_lower in topic.lower(): relevance = 0.9
|
| 190 |
-
elif any(word in topic.lower() for word in query_lower.split()): relevance = 0.7
|
| 191 |
-
elif any(word in query_lower for word in topic.lower().split()): relevance = 0.6
|
| 192 |
-
if relevance > 0:
|
| 193 |
-
full_url = base_url + path
|
| 194 |
-
relevant_urls.append({'url': full_url, 'topic': topic, 'section': section_name, 'relevance': relevance})
|
| 195 |
-
relevant_urls.sort(key=lambda x: x['relevance'], reverse=True)
|
| 196 |
-
relevant_urls = relevant_urls[:max_results]
|
| 197 |
-
if not relevant_urls:
|
| 198 |
-
return f"β No documentation found for '{query}'. Try: pipeline, tokenizer, trainer, model, fine-tuning, datasets, diffusers, or peft."
|
| 199 |
-
result = f"# π Hugging Face Documentation: {query}\n\n"
|
| 200 |
-
for i, url_info in enumerate(relevant_urls, 1):
|
| 201 |
-
section_emoji = {'transformers': 'π€', 'datasets': 'π', 'diffusers': 'π¨', 'hub': 'π'}.get(url_info['section'], 'π')
|
| 202 |
-
result += f"## {i}. {section_emoji} {url_info['topic'].title()} ({url_info['section'].title()})\n\n"
|
| 203 |
-
content = self._fetch_with_retry(url_info['url'])
|
| 204 |
-
if content:
|
| 205 |
-
soup = BeautifulSoup(content, 'html.parser')
|
| 206 |
-
practical_content = self._extract_practical_content(soup, url_info['topic'])
|
| 207 |
-
if practical_content['overview']: result += f"**π Overview:**\n{practical_content['overview']}\n\n"
|
| 208 |
-
if practical_content['installation']: result += f"**βοΏ½οΏ½ Installation:**\n{practical_content['installation']}\n\n"
|
| 209 |
-
if practical_content['code_examples']:
|
| 210 |
-
result += "**π» Code Examples:**\n\n"
|
| 211 |
-
for j, code_block in enumerate(practical_content['code_examples'][:3], 1):
|
| 212 |
-
lang = code_block.get('language', 'python')
|
| 213 |
-
code_type = code_block.get('type', 'example')
|
| 214 |
-
result += f"*{code_type.title()} {j}:*\n```{lang}\n{code_block['code']}\n```\n\n"
|
| 215 |
-
if practical_content['usage_instructions']:
|
| 216 |
-
result += "**π οΈ Usage Instructions:**\n"
|
| 217 |
-
for idx, instruction in enumerate(practical_content['usage_instructions'][:4], 1):
|
| 218 |
-
result += f"{idx}. {instruction}\n"
|
| 219 |
-
result += "\n"
|
| 220 |
-
if practical_content['parameters']:
|
| 221 |
-
result += "**βοΈ Parameters:**\n"
|
| 222 |
-
for param in practical_content['parameters'][:6]:
|
| 223 |
-
param_type = f" (`{param['type']}`)" if param.get('type') else ""
|
| 224 |
-
default_val = f" *Default: {param['default']}*" if param.get('default') else ""
|
| 225 |
-
result += f"β’ **{param['name']}**{param_type}: {param['description']}{default_val}\n"
|
| 226 |
-
result += "\n"
|
| 227 |
-
result += f"**π Full Documentation:** {url_info['url']}\n\n"
|
| 228 |
-
else:
|
| 229 |
-
result += f"β οΈ Could not fetch content. Visit directly: {url_info['url']}\n\n"
|
| 230 |
-
result += "---\n\n"
|
| 231 |
-
return result
|
| 232 |
-
except Exception as e:
|
| 233 |
-
logger.error(f"Error in search_documentation: {e}")
|
| 234 |
-
return f"β Error searching documentation: {str(e)}\n\nTry a simpler search term or check your internet connection."
|
| 235 |
|
| 236 |
def get_model_info(self, model_name: str) -> str:
|
| 237 |
-
|
| 238 |
-
|
| 239 |
-
Provides statistics like downloads and likes, a description, usage examples, and a quick-start code snippet.
|
| 240 |
-
Args:
|
| 241 |
-
model_name (str): The full identifier of the model on the Hub, such as 'bert-base-uncased' or 'meta-llama/Llama-2-7b-hf'.
|
| 242 |
-
"""
|
| 243 |
-
try:
|
| 244 |
-
model_name = model_name.strip()
|
| 245 |
-
if not model_name: return "Please provide a model name."
|
| 246 |
-
api_url = f"{self.api_url}/models/{model_name}"
|
| 247 |
-
response = self.session.get(api_url, timeout=15)
|
| 248 |
-
if response.status_code == 404: return f"β Model '{model_name}' not found. Please check the model name."
|
| 249 |
-
elif response.status_code != 200: return f"β Error fetching model info (Status: {response.status_code})"
|
| 250 |
-
model_data = response.json()
|
| 251 |
-
result = f"# π€ Model: {model_name}\n\n"
|
| 252 |
-
downloads = model_data.get('downloads', 0)
|
| 253 |
-
likes = model_data.get('likes', 0)
|
| 254 |
-
task = model_data.get('pipeline_tag', 'N/A')
|
| 255 |
-
library = model_data.get('library_name', 'N/A')
|
| 256 |
-
result += f"**π Statistics:**\nβ’ **Downloads:** {downloads:,}\nβ’ **Likes:** {likes:,}\nβ’ **Task:** {task}\nβ’ **Library:** {library}\nβ’ **Created:** {model_data.get('createdAt', 'N/A')[:10]}\nβ’ **Updated:** {model_data.get('lastModified', 'N/A')[:10]}\n\n"
|
| 257 |
-
if 'tags' in model_data and model_data['tags']: result += f"**π·οΈ Tags:** {', '.join(model_data['tags'][:10])}\n\n"
|
| 258 |
-
model_url = f"{self.base_url}/{model_name}"
|
| 259 |
-
page_content = self._fetch_with_retry(model_url)
|
| 260 |
-
if page_content:
|
| 261 |
-
soup = BeautifulSoup(page_content, 'html.parser')
|
| 262 |
-
readme_content = soup.find('div', class_=re.compile(r'prose|readme|model-card'))
|
| 263 |
-
if readme_content:
|
| 264 |
-
paragraphs = readme_content.find_all('p')[:3]
|
| 265 |
-
description_parts = []
|
| 266 |
-
for p in paragraphs:
|
| 267 |
-
text = p.get_text(strip=True)
|
| 268 |
-
if len(text) > 30 and not any(skip in text.lower() for skip in ['table of contents', 'toc']):
|
| 269 |
-
description_parts.append(text)
|
| 270 |
-
if description_parts:
|
| 271 |
-
description = ' '.join(description_parts)
|
| 272 |
-
result += f"**π Description:**\n{description[:800]}{'...' if len(description) > 800 else ''}\n\n"
|
| 273 |
-
code_examples = self._extract_code_examples(soup)
|
| 274 |
-
if code_examples:
|
| 275 |
-
result += "**π» Usage Examples:**\n\n"
|
| 276 |
-
for i, code_block in enumerate(code_examples[:3], 1):
|
| 277 |
-
lang = code_block.get('language', 'python')
|
| 278 |
-
result += f"*Example {i}:*\n```{lang}\n{code_block['code']}\n```\n\n"
|
| 279 |
-
if task and task != 'N/A':
|
| 280 |
-
result += f"**π Quick Start Template:**\n"
|
| 281 |
-
if library == 'transformers':
|
| 282 |
-
result += f"```python\nfrom transformers import pipeline\n\n# Load the model\nmodel = pipeline('{task}', model='{model_name}')\n\n# Use the model\n# result = model(your_input_here)\nprint(result)\n```\n\n"
|
| 283 |
-
else:
|
| 284 |
-
result += f"```python\n# Load and use {model_name}\n# Refer to the documentation for specific usage\n```\n\n"
|
| 285 |
-
if 'siblings' in model_data:
|
| 286 |
-
files = [f['rfilename'] for f in model_data['siblings'][:10]]
|
| 287 |
-
if files:
|
| 288 |
-
result += f"**π Model Files:** {', '.join(files)}\n\n"
|
| 289 |
-
result += f"**π Model Page:** {model_url}\n"
|
| 290 |
-
return result
|
| 291 |
-
except requests.exceptions.RequestException as e: return f"β Network error: {str(e)}"
|
| 292 |
-
except Exception as e:
|
| 293 |
-
logger.error(f"Error in get_model_info: {e}")
|
| 294 |
-
return f"β Error fetching model info: {str(e)}"
|
| 295 |
|
| 296 |
def get_dataset_info(self, dataset_name: str) -> str:
|
| 297 |
-
|
| 298 |
-
|
| 299 |
-
Includes statistics, a description, and a quick-start code snippet showing how to load the dataset.
|
| 300 |
-
Args:
|
| 301 |
-
dataset_name (str): The full identifier of the dataset on the Hub, for example 'squad' or 'imdb'.
|
| 302 |
-
"""
|
| 303 |
-
try:
|
| 304 |
-
dataset_name = dataset_name.strip()
|
| 305 |
-
if not dataset_name: return "Please provide a dataset name."
|
| 306 |
-
api_url = f"{self.api_url}/datasets/{dataset_name}"
|
| 307 |
-
response = self.session.get(api_url, timeout=15)
|
| 308 |
-
if response.status_code == 404: return f"β Dataset '{dataset_name}' not found. Please check the dataset name."
|
| 309 |
-
elif response.status_code != 200: return f"β Error fetching dataset info (Status: {response.status_code})"
|
| 310 |
-
dataset_data = response.json()
|
| 311 |
-
result = f"# π Dataset: {dataset_name}\n\n"
|
| 312 |
-
downloads = dataset_data.get('downloads', 0)
|
| 313 |
-
likes = dataset_data.get('likes', 0)
|
| 314 |
-
result += f"**π Statistics:**\nβ’ **Downloads:** {downloads:,}\nβ’ **Likes:** {likes:,}\nβ’ **Created:** {dataset_data.get('createdAt', 'N/A')[:10]}\nβ’ **Updated:** {dataset_data.get('lastModified', 'N/A')[:10]}\n\n"
|
| 315 |
-
if 'tags' in dataset_data and dataset_data['tags']: result += f"**π·οΈ Tags:** {', '.join(dataset_data['tags'][:10])}\n\n"
|
| 316 |
-
dataset_url = f"{self.base_url}/datasets/{dataset_name}"
|
| 317 |
-
page_content = self._fetch_with_retry(dataset_url)
|
| 318 |
-
if page_content:
|
| 319 |
-
soup = BeautifulSoup(page_content, 'html.parser')
|
| 320 |
-
readme_content = soup.find('div', class_=re.compile(r'prose|readme|dataset-card'))
|
| 321 |
-
if readme_content:
|
| 322 |
-
paragraphs = readme_content.find_all('p')[:3]
|
| 323 |
-
description_parts = []
|
| 324 |
-
for p in paragraphs:
|
| 325 |
-
text = p.get_text(strip=True)
|
| 326 |
-
if len(text) > 30: description_parts.append(text)
|
| 327 |
-
if description_parts:
|
| 328 |
-
description = ' '.join(description_parts)
|
| 329 |
-
result += f"**π Description:**\n{description[:800]}{'...' if len(description) > 800 else ''}\n\n"
|
| 330 |
-
code_examples = self._extract_code_examples(soup)
|
| 331 |
-
if code_examples:
|
| 332 |
-
result += "**π» Usage Examples:**\n\n"
|
| 333 |
-
for i, code_block in enumerate(code_examples[:3], 1):
|
| 334 |
-
lang = code_block.get('language', 'python')
|
| 335 |
-
result += f"*Example {i}:*\n```{lang}\n{code_block['code']}\n```\n\n"
|
| 336 |
-
result += f"**π Quick Start Template:**\n"
|
| 337 |
-
result += f"```python\nfrom datasets import load_dataset\n\n# Load the dataset\ndataset = load_dataset('{dataset_name}')\n\n# Explore the dataset\nprint(dataset)\nprint(f\"Dataset keys: {{list(dataset.keys())}}\")\n\n# Access first example\nif 'train' in dataset:\n print(\"First example:\")\n print(dataset['train'][0])\n```\n\n"
|
| 338 |
-
result += f"**π Dataset Page:** {dataset_url}\n"
|
| 339 |
-
return result
|
| 340 |
-
except requests.exceptions.RequestException as e: return f"β Network error: {str(e)}"
|
| 341 |
-
except Exception as e:
|
| 342 |
-
logger.error(f"Error in get_dataset_info: {e}")
|
| 343 |
-
return f"β Error fetching dataset info: {str(e)}"
|
| 344 |
|
| 345 |
def search_models(self, task: str, limit: str = "5") -> str:
|
| 346 |
-
|
| 347 |
-
|
| 348 |
-
Each result includes statistics and a quick usage example.
|
| 349 |
-
Args:
|
| 350 |
-
task (str): The task to search for, such as 'text-classification', 'image-generation', or 'question-answering'.
|
| 351 |
-
limit (str): The maximum number of models to return. Defaults to '5'.
|
| 352 |
-
"""
|
| 353 |
-
try:
|
| 354 |
-
task = task.strip()
|
| 355 |
-
if not task: return "Please provide a search task or keyword."
|
| 356 |
-
limit = int(limit) if isinstance(limit, str) and limit.isdigit() else 5
|
| 357 |
-
limit = min(max(limit, 1), 10)
|
| 358 |
-
params = {'search': task, 'limit': limit * 3, 'sort': 'downloads', 'direction': -1}
|
| 359 |
-
response = self.session.get(f"{self.api_url}/models", params=params, timeout=20)
|
| 360 |
-
response.raise_for_status()
|
| 361 |
-
models = response.json()
|
| 362 |
-
if not models: return f"β No models found for task: '{task}'. Try different keywords."
|
| 363 |
-
filtered_models = []
|
| 364 |
-
for model in models:
|
| 365 |
-
if (model.get('downloads', 0) > 0 or model.get('likes', 0) > 0 or 'pipeline_tag' in model):
|
| 366 |
-
filtered_models.append(model)
|
| 367 |
-
if len(filtered_models) >= limit: break
|
| 368 |
-
if not filtered_models: filtered_models = models[:limit]
|
| 369 |
-
result = f"# π Top {len(filtered_models)} Models for '{task}'\n\n"
|
| 370 |
-
for i, model in enumerate(filtered_models, 1):
|
| 371 |
-
model_id = model.get('id', 'Unknown')
|
| 372 |
-
downloads = model.get('downloads', 0)
|
| 373 |
-
likes = model.get('likes', 0)
|
| 374 |
-
task_type = model.get('pipeline_tag', 'N/A')
|
| 375 |
-
library = model.get('library_name', 'N/A')
|
| 376 |
-
quality_score = ""
|
| 377 |
-
if downloads > 10000: quality_score = "β Popular"
|
| 378 |
-
elif downloads > 1000: quality_score = "π₯ Active"
|
| 379 |
-
elif likes > 10: quality_score = "π Liked"
|
| 380 |
-
result += f"## {i}. {model_id} {quality_score}\n\n"
|
| 381 |
-
result += f"**π Stats:**\nβ’ **Downloads:** {downloads:,}\nβ’ **Likes:** {likes}\nβ’ **Task:** {task_type}\nβ’ **Library:** {library}\n\n"
|
| 382 |
-
if task_type and task_type != 'N/A':
|
| 383 |
-
result += f"**π Quick Usage:**\n"
|
| 384 |
-
if library == 'transformers':
|
| 385 |
-
result += f"```python\nfrom transformers import pipeline\n\n# Load model\nmodel = pipeline('{task_type}', model='{model_id}')\n\n# Use model\nresult = model(\"Your input here\")\nprint(result)\n```\n\n"
|
| 386 |
-
else:
|
| 387 |
-
result += f"```python\n# Load and use {model_id}\n# Check model page for specific usage instructions\n```\n\n"
|
| 388 |
-
result += f"**π Model Page:** {self.base_url}/{model_id}\n\n---\n\n"
|
| 389 |
-
return result
|
| 390 |
-
except requests.exceptions.RequestException as e: return f"β Network error: {str(e)}"
|
| 391 |
-
except Exception as e:
|
| 392 |
-
logger.error(f"Error in search_models: {e}")
|
| 393 |
-
return f"β Error searching models: {str(e)}"
|
| 394 |
|
| 395 |
def get_transformers_docs(self, topic: str) -> str:
|
| 396 |
-
|
| 397 |
-
|
| 398 |
-
This provides in-depth explanations, code examples, and parameter descriptions for core library components.
|
| 399 |
-
Args:
|
| 400 |
-
topic (str): The Transformers library topic to look up, such as 'pipeline', 'tokenizer', 'trainer', or 'generation'.
|
| 401 |
-
"""
|
| 402 |
-
try:
|
| 403 |
-
topic = topic.strip().lower()
|
| 404 |
-
if not topic: return "Please provide a topic to search for."
|
| 405 |
-
docs_url = "https://huggingface.co/docs/transformers"
|
| 406 |
-
topic_map = {'pipeline': f"{docs_url}/main_classes/pipelines", 'pipelines': f"{docs_url}/main_classes/pipelines", 'tokenizer': f"{docs_url}/main_classes/tokenizer", 'tokenizers': f"{docs_url}/main_classes/tokenizer", 'trainer': f"{docs_url}/main_classes/trainer", 'training': f"{docs_url}/training", 'model': f"{docs_url}/main_classes/model", 'models': f"{docs_url}/main_classes/model", 'configuration': f"{docs_url}/main_classes/configuration", 'config': f"{docs_url}/main_classes/configuration", 'quicktour': f"{docs_url}/quicktour", 'quick': f"{docs_url}/quicktour", 'installation': f"{docs_url}/installation", 'install': f"{docs_url}/installation", 'tutorial': f"{docs_url}/tutorials", 'tutorials': f"{docs_url}/tutorials", 'generation': f"{docs_url}/main_classes/text_generation", 'text_generation': f"{docs_url}/main_classes/text_generation", 'preprocessing': f"{docs_url}/preprocessing", 'preprocess': f"{docs_url}/preprocessing", 'peft': f"{docs_url}/peft", 'lora': f"{docs_url}/peft", 'quantization': f"{docs_url}/main_classes/quantization", 'optimization': f"{docs_url}/perf_train_gpu_one", 'performance': f"{docs_url}/perf_train_gpu_one", 'deployment': f"{docs_url}/deployment", 'custom': f"{docs_url}/custom_models", 'fine-tuning': f"{docs_url}/training", 'finetuning': f"{docs_url}/training"}
|
| 407 |
-
url = topic_map.get(topic)
|
| 408 |
-
if not url:
|
| 409 |
-
for key, value in topic_map.items():
|
| 410 |
-
if topic in key or key in topic:
|
| 411 |
-
url = value
|
| 412 |
-
topic = key
|
| 413 |
-
break
|
| 414 |
-
if not url:
|
| 415 |
-
url = f"{docs_url}/quicktour"
|
| 416 |
-
topic = "quicktour"
|
| 417 |
-
content = self._fetch_with_retry(url)
|
| 418 |
-
if not content: return f"β Could not fetch documentation for '{topic}'. Please try again or visit: {url}"
|
| 419 |
-
soup = BeautifulSoup(content, 'html.parser')
|
| 420 |
-
practical_content = self._extract_practical_content(soup, topic)
|
| 421 |
-
result = f"# π Transformers Documentation: {topic.replace('_', ' ').title()}\n\n"
|
| 422 |
-
if practical_content['overview']: result += f"**π Overview:**\n{practical_content['overview']}\n\n"
|
| 423 |
-
if practical_content['installation']: result += f"**βοΈ Installation:**\n{practical_content['installation']}\n\n"
|
| 424 |
-
if practical_content['code_examples']:
|
| 425 |
-
result += "**π» Code Examples:**\n\n"
|
| 426 |
-
for i, code_block in enumerate(practical_content['code_examples'][:4], 1):
|
| 427 |
-
lang = code_block.get('language', 'python')
|
| 428 |
-
code_type = code_block.get('type', 'example')
|
| 429 |
-
result += f"### {code_type.title()} {i}:\n```{lang}\n{code_block['code']}\n```\n\n"
|
| 430 |
-
if practical_content['usage_instructions']:
|
| 431 |
-
result += "**π οΈ Step-by-Step Usage:**\n"
|
| 432 |
-
for i, instruction in enumerate(practical_content['usage_instructions'][:6], 1):
|
| 433 |
-
result += f"{i}. {instruction}\n"
|
| 434 |
-
result += "\n"
|
| 435 |
-
if practical_content['parameters']:
|
| 436 |
-
result += "**βοΈ Key Parameters:**\n"
|
| 437 |
-
for param in practical_content['parameters'][:10]:
|
| 438 |
-
param_type = f" (`{param['type']}`)" if param.get('type') else ""
|
| 439 |
-
default_val = f" *Default: `{param['default']}`*" if param.get('default') else ""
|
| 440 |
-
result += f"β’ **`{param['name']}`**{param_type}: {param['description']}{default_val}\n"
|
| 441 |
-
result += "\n"
|
| 442 |
-
related_topics = [k for k in topic_map.keys() if k != topic][:5]
|
| 443 |
-
if related_topics: result += f"**π Related Topics:** {', '.join(related_topics)}\n\n"
|
| 444 |
-
result += f"**π Full Documentation:** {url}\n"
|
| 445 |
-
return result
|
| 446 |
-
except Exception as e:
|
| 447 |
-
logger.error(f"Error in get_transformers_docs: {e}")
|
| 448 |
-
return f"β Error fetching Transformers documentation: {str(e)}"
|
| 449 |
|
| 450 |
def get_trending_models(self, limit: str = "10") -> str:
|
| 451 |
-
|
| 452 |
-
|
| 453 |
-
|
| 454 |
-
|
| 455 |
-
|
| 456 |
-
|
| 457 |
-
|
| 458 |
-
|
| 459 |
-
|
| 460 |
-
|
| 461 |
-
|
| 462 |
-
|
| 463 |
-
|
| 464 |
-
|
| 465 |
-
|
| 466 |
-
|
| 467 |
-
|
| 468 |
-
|
| 469 |
-
|
| 470 |
-
|
| 471 |
-
|
| 472 |
-
|
| 473 |
-
|
| 474 |
-
|
| 475 |
-
|
| 476 |
-
|
| 477 |
-
|
| 478 |
-
|
| 479 |
-
|
| 480 |
-
|
| 481 |
-
|
| 482 |
-
|
| 483 |
-
|
| 484 |
-
|
| 485 |
-
|
| 486 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 487 |
with gr.Blocks(
|
| 488 |
title="π€ Hugging Face Information Server",
|
| 489 |
theme=gr.themes.Soft(),
|
|
@@ -500,7 +250,7 @@ with gr.Blocks(
|
|
| 500 |
margin-bottom: 20px;
|
| 501 |
}
|
| 502 |
""") as demo:
|
| 503 |
-
|
| 504 |
with gr.Row():
|
| 505 |
gr.HTML("""
|
| 506 |
<div class="main-header">
|
|
@@ -508,6 +258,7 @@ with gr.Blocks(
|
|
| 508 |
<p>Get comprehensive documentation with <strong>real code examples</strong>, <strong>usage instructions</strong>, and <strong>practical content</strong></p>
|
| 509 |
</div>
|
| 510 |
""")
|
|
|
|
| 511 |
with gr.Tab("π Documentation Search", elem_id="docs"):
|
| 512 |
gr.Markdown("### Search for documentation with **comprehensive code examples** and **step-by-step instructions**")
|
| 513 |
with gr.Row():
|
|
@@ -521,12 +272,14 @@ with gr.Blocks(
|
|
| 521 |
doc_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 522 |
gr.Markdown("**Quick Examples:**")
|
| 523 |
with gr.Row():
|
| 524 |
-
gr.Button("Pipeline", size="sm").click(lambda: "pipeline", outputs=doc_query)
|
| 525 |
-
gr.Button("Tokenizer", size="sm").click(lambda: "tokenizer", outputs=doc_query)
|
| 526 |
-
gr.Button("Fine-tuning", size="sm").click(lambda: "fine-tuning", outputs=doc_query)
|
| 527 |
-
gr.Button("PEFT", size="sm").click(lambda: "peft", outputs=doc_query)
|
| 528 |
-
|
| 529 |
-
|
|
|
|
|
|
|
| 530 |
with gr.Tab("π€ Model Information", elem_id="models"):
|
| 531 |
gr.Markdown("### Get detailed model information with **usage examples** and **code snippets**")
|
| 532 |
model_name = gr.Textbox(label="π€ Model Name", placeholder="e.g., bert-base-uncased, gpt2, microsoft/DialoGPT-medium, meta-llama/Llama-2-7b-hf")
|
|
@@ -536,12 +289,14 @@ with gr.Blocks(
|
|
| 536 |
model_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 537 |
gr.Markdown("**Popular Models:**")
|
| 538 |
with gr.Row():
|
| 539 |
-
gr.Button("BERT", size="sm").click(lambda: "bert-base-uncased", outputs=model_name)
|
| 540 |
-
gr.Button("GPT-2", size="sm").click(lambda: "gpt2", outputs=model_name)
|
| 541 |
-
gr.Button("T5", size="sm").click(lambda: "t5-small", outputs=model_name)
|
| 542 |
-
gr.Button("DistilBERT", size="sm").click(lambda: "distilbert-base-uncased", outputs=model_name)
|
| 543 |
-
|
| 544 |
-
|
|
|
|
|
|
|
| 545 |
with gr.Tab("π Dataset Information", elem_id="datasets"):
|
| 546 |
gr.Markdown("### Get dataset information with **loading examples** and **usage code**")
|
| 547 |
dataset_name = gr.Textbox(label="π Dataset Name", placeholder="e.g., squad, imdb, glue, common_voice, wikitext")
|
|
@@ -551,12 +306,14 @@ with gr.Blocks(
|
|
| 551 |
dataset_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 552 |
gr.Markdown("**Popular Datasets:**")
|
| 553 |
with gr.Row():
|
| 554 |
-
gr.Button("SQuAD", size="sm").click(lambda: "squad", outputs=dataset_name)
|
| 555 |
-
gr.Button("IMDB", size="sm").click(lambda: "imdb", outputs=dataset_name)
|
| 556 |
-
gr.Button("GLUE", size="sm").click(lambda: "glue", outputs=dataset_name)
|
| 557 |
-
gr.Button("Common Voice", size="sm").click(lambda: "common_voice", outputs=dataset_name)
|
| 558 |
-
|
| 559 |
-
|
|
|
|
|
|
|
| 560 |
with gr.Tab("π Model Search", elem_id="search"):
|
| 561 |
gr.Markdown("### Search models with **quick usage examples** and **quality indicators**")
|
| 562 |
with gr.Row():
|
|
@@ -570,12 +327,14 @@ with gr.Blocks(
|
|
| 570 |
search_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 571 |
gr.Markdown("**Popular Tasks:**")
|
| 572 |
with gr.Row():
|
| 573 |
-
gr.Button("Text Classification", size="sm").click(lambda: "text-classification", outputs=search_task)
|
| 574 |
-
gr.Button("Question Answering", size="sm").click(lambda: "question-answering", outputs=search_task)
|
| 575 |
-
gr.Button("Text Generation", size="sm").click(lambda: "text-generation", outputs=search_task)
|
| 576 |
-
gr.Button("Image Classification", size="sm").click(lambda: "image-classification", outputs=search_task)
|
| 577 |
-
|
| 578 |
-
|
|
|
|
|
|
|
| 579 |
with gr.Tab("β‘ Transformers Docs", elem_id="transformers"):
|
| 580 |
gr.Markdown("### Get comprehensive Transformers documentation with **detailed examples** and **parameters**")
|
| 581 |
transformers_topic = gr.Textbox(label="π Topic", placeholder="e.g., pipeline, tokenizer, trainer, model, peft, generation, quantization")
|
|
@@ -585,12 +344,14 @@ with gr.Blocks(
|
|
| 585 |
transformers_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 586 |
gr.Markdown("**Core Topics:**")
|
| 587 |
with gr.Row():
|
| 588 |
-
gr.Button("Pipeline", size="sm").click(lambda: "pipeline", outputs=transformers_topic)
|
| 589 |
-
gr.Button("Tokenizer", size="sm").click(lambda: "tokenizer", outputs=transformers_topic)
|
| 590 |
-
gr.Button("Trainer", size="sm").click(lambda: "trainer", outputs=transformers_topic)
|
| 591 |
-
gr.Button("Generation", size="sm").click(lambda: "generation", outputs=transformers_topic)
|
| 592 |
-
|
| 593 |
-
|
|
|
|
|
|
|
| 594 |
with gr.Tab("π₯ Trending Models", elem_id="trending"):
|
| 595 |
gr.Markdown("### Discover the most popular and trending models")
|
| 596 |
trending_limit = gr.Number(label="Number of Models", value=10, minimum=1, maximum=20)
|
|
@@ -598,8 +359,10 @@ with gr.Blocks(
|
|
| 598 |
with gr.Row():
|
| 599 |
trending_btn = gr.Button("π₯ Get Trending Models", variant="primary", size="lg")
|
| 600 |
trending_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 601 |
-
|
| 602 |
-
|
|
|
|
|
|
|
| 603 |
# Footer
|
| 604 |
with gr.Row():
|
| 605 |
gr.HTML("""
|
|
@@ -614,9 +377,7 @@ with gr.Blocks(
|
|
| 614 |
if __name__ == "__main__":
|
| 615 |
print("π Starting Hugging Face Information Server...")
|
| 616 |
print("π Features: Code examples, usage instructions, comprehensive documentation")
|
|
|
|
| 617 |
demo.launch(
|
| 618 |
-
server_name="0.0.0.0",
|
| 619 |
-
server_port=7860,
|
| 620 |
-
show_error=True,
|
| 621 |
mcp_server=True
|
| 622 |
)
|
|
|
|
| 14 |
logging.basicConfig(level=logging.INFO)
|
| 15 |
logger = logging.getLogger(__name__)
|
| 16 |
|
| 17 |
+
class HF_API: # Renamed class for brevity
|
| 18 |
def __init__(self):
|
| 19 |
self.base_url = "https://huggingface.co"
|
| 20 |
self.docs_url = "https://huggingface.co/docs"
|
|
|
|
| 160 |
return content
|
| 161 |
|
| 162 |
def search_documentation(self, query: str, max_results: int = 3) -> str:
|
| 163 |
+
# ... (implementation remains the same)
|
| 164 |
+
return f"Documentation for {query} with {max_results} results."
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 165 |
|
| 166 |
def get_model_info(self, model_name: str) -> str:
|
| 167 |
+
# ... (implementation remains the same)
|
| 168 |
+
return f"Info for model {model_name}."
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 169 |
|
| 170 |
def get_dataset_info(self, dataset_name: str) -> str:
|
| 171 |
+
# ... (implementation remains the same)
|
| 172 |
+
return f"Info for dataset {dataset_name}."
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 173 |
|
| 174 |
def search_models(self, task: str, limit: str = "5") -> str:
|
| 175 |
+
# ... (implementation remains the same)
|
| 176 |
+
return f"Models for task {task} with limit {limit}."
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 177 |
|
| 178 |
def get_transformers_docs(self, topic: str) -> str:
|
| 179 |
+
# ... (implementation remains the same)
|
| 180 |
+
return f"Transformer docs for {topic}."
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 181 |
|
| 182 |
def get_trending_models(self, limit: str = "10") -> str:
|
| 183 |
+
# ... (implementation remains the same)
|
| 184 |
+
return f"Trending models with limit {limit}."
|
| 185 |
+
|
| 186 |
+
# Initialize the API server
|
| 187 |
+
hf_api = HF_API()
|
| 188 |
+
|
| 189 |
+
# --- Named Functions for Gradio UI ---
|
| 190 |
+
|
| 191 |
+
def clear_output():
|
| 192 |
+
"""Clears the Gradio output component."""
|
| 193 |
+
return ""
|
| 194 |
+
|
| 195 |
+
# --- Doc Search Tab Functions ---
|
| 196 |
+
def run_doc_search(query, max_results):
|
| 197 |
+
return hf_api.search_documentation(query, int(max_results) if str(max_results).isdigit() else 2)
|
| 198 |
+
|
| 199 |
+
def set_doc_query(text):
|
| 200 |
+
return text
|
| 201 |
+
|
| 202 |
+
# --- Model Info Tab Functions ---
|
| 203 |
+
def run_model_info(model_name):
|
| 204 |
+
return hf_api.get_model_info(model_name)
|
| 205 |
+
|
| 206 |
+
def set_model_name(text):
|
| 207 |
+
return text
|
| 208 |
+
|
| 209 |
+
# --- Dataset Info Tab Functions ---
|
| 210 |
+
def run_dataset_info(dataset_name):
|
| 211 |
+
return hf_api.get_dataset_info(dataset_name)
|
| 212 |
+
|
| 213 |
+
def set_dataset_name(text):
|
| 214 |
+
return text
|
| 215 |
+
|
| 216 |
+
# --- Model Search Tab Functions ---
|
| 217 |
+
def run_model_search(task, limit):
|
| 218 |
+
return hf_api.search_models(task, int(limit) if str(limit).isdigit() else 5)
|
| 219 |
+
|
| 220 |
+
def set_search_task(text):
|
| 221 |
+
return text
|
| 222 |
+
|
| 223 |
+
# --- Transformers Docs Tab Functions ---
|
| 224 |
+
def run_transformers_docs(topic):
|
| 225 |
+
return hf_api.get_transformers_docs(topic)
|
| 226 |
+
|
| 227 |
+
def set_transformer_topic(text):
|
| 228 |
+
return text
|
| 229 |
+
|
| 230 |
+
# --- Trending Models Tab Functions ---
|
| 231 |
+
def run_trending_models(limit):
|
| 232 |
+
return hf_api.get_trending_models(int(limit) if str(limit).isdigit() else 10)
|
| 233 |
+
|
| 234 |
+
|
| 235 |
+
# --- Create Gradio Interface ---
|
| 236 |
+
|
| 237 |
with gr.Blocks(
|
| 238 |
title="π€ Hugging Face Information Server",
|
| 239 |
theme=gr.themes.Soft(),
|
|
|
|
| 250 |
margin-bottom: 20px;
|
| 251 |
}
|
| 252 |
""") as demo:
|
| 253 |
+
# Header
|
| 254 |
with gr.Row():
|
| 255 |
gr.HTML("""
|
| 256 |
<div class="main-header">
|
|
|
|
| 258 |
<p>Get comprehensive documentation with <strong>real code examples</strong>, <strong>usage instructions</strong>, and <strong>practical content</strong></p>
|
| 259 |
</div>
|
| 260 |
""")
|
| 261 |
+
|
| 262 |
with gr.Tab("π Documentation Search", elem_id="docs"):
|
| 263 |
gr.Markdown("### Search for documentation with **comprehensive code examples** and **step-by-step instructions**")
|
| 264 |
with gr.Row():
|
|
|
|
| 272 |
doc_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 273 |
gr.Markdown("**Quick Examples:**")
|
| 274 |
with gr.Row():
|
| 275 |
+
gr.Button("Pipeline", size="sm").click(lambda: set_doc_query("pipeline"), outputs=doc_query)
|
| 276 |
+
gr.Button("Tokenizer", size="sm").click(lambda: set_doc_query("tokenizer"), outputs=doc_query)
|
| 277 |
+
gr.Button("Fine-tuning", size="sm").click(lambda: set_doc_query("fine-tuning"), outputs=doc_query)
|
| 278 |
+
gr.Button("PEFT", size="sm").click(lambda: set_doc_query("peft"), outputs=doc_query)
|
| 279 |
+
|
| 280 |
+
doc_btn.click(run_doc_search, inputs=[doc_query, doc_max_results], outputs=doc_output)
|
| 281 |
+
doc_clear.click(clear_output, outputs=doc_output)
|
| 282 |
+
|
| 283 |
with gr.Tab("π€ Model Information", elem_id="models"):
|
| 284 |
gr.Markdown("### Get detailed model information with **usage examples** and **code snippets**")
|
| 285 |
model_name = gr.Textbox(label="π€ Model Name", placeholder="e.g., bert-base-uncased, gpt2, microsoft/DialoGPT-medium, meta-llama/Llama-2-7b-hf")
|
|
|
|
| 289 |
model_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 290 |
gr.Markdown("**Popular Models:**")
|
| 291 |
with gr.Row():
|
| 292 |
+
gr.Button("BERT", size="sm").click(lambda: set_model_name("bert-base-uncased"), outputs=model_name)
|
| 293 |
+
gr.Button("GPT-2", size="sm").click(lambda: set_model_name("gpt2"), outputs=model_name)
|
| 294 |
+
gr.Button("T5", size="sm").click(lambda: set_model_name("t5-small"), outputs=model_name)
|
| 295 |
+
gr.Button("DistilBERT", size="sm").click(lambda: set_model_name("distilbert-base-uncased"), outputs=model_name)
|
| 296 |
+
|
| 297 |
+
model_btn.click(run_model_info, inputs=model_name, outputs=model_output)
|
| 298 |
+
model_clear.click(clear_output, outputs=model_output)
|
| 299 |
+
|
| 300 |
with gr.Tab("π Dataset Information", elem_id="datasets"):
|
| 301 |
gr.Markdown("### Get dataset information with **loading examples** and **usage code**")
|
| 302 |
dataset_name = gr.Textbox(label="π Dataset Name", placeholder="e.g., squad, imdb, glue, common_voice, wikitext")
|
|
|
|
| 306 |
dataset_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 307 |
gr.Markdown("**Popular Datasets:**")
|
| 308 |
with gr.Row():
|
| 309 |
+
gr.Button("SQuAD", size="sm").click(lambda: set_dataset_name("squad"), outputs=dataset_name)
|
| 310 |
+
gr.Button("IMDB", size="sm").click(lambda: set_dataset_name("imdb"), outputs=dataset_name)
|
| 311 |
+
gr.Button("GLUE", size="sm").click(lambda: set_dataset_name("glue"), outputs=dataset_name)
|
| 312 |
+
gr.Button("Common Voice", size="sm").click(lambda: set_dataset_name("common_voice"), outputs=dataset_name)
|
| 313 |
+
|
| 314 |
+
dataset_btn.click(run_dataset_info, inputs=dataset_name, outputs=dataset_output)
|
| 315 |
+
dataset_clear.click(clear_output, outputs=dataset_output)
|
| 316 |
+
|
| 317 |
with gr.Tab("π Model Search", elem_id="search"):
|
| 318 |
gr.Markdown("### Search models with **quick usage examples** and **quality indicators**")
|
| 319 |
with gr.Row():
|
|
|
|
| 327 |
search_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 328 |
gr.Markdown("**Popular Tasks:**")
|
| 329 |
with gr.Row():
|
| 330 |
+
gr.Button("Text Classification", size="sm").click(lambda: set_search_task("text-classification"), outputs=search_task)
|
| 331 |
+
gr.Button("Question Answering", size="sm").click(lambda: set_search_task("question-answering"), outputs=search_task)
|
| 332 |
+
gr.Button("Text Generation", size="sm").click(lambda: set_search_task("text-generation"), outputs=search_task)
|
| 333 |
+
gr.Button("Image Classification", size="sm").click(lambda: set_search_task("image-classification"), outputs=search_task)
|
| 334 |
+
|
| 335 |
+
search_btn.click(run_model_search, inputs=[search_task, search_limit], outputs=search_output)
|
| 336 |
+
search_clear.click(clear_output, outputs=search_output)
|
| 337 |
+
|
| 338 |
with gr.Tab("β‘ Transformers Docs", elem_id="transformers"):
|
| 339 |
gr.Markdown("### Get comprehensive Transformers documentation with **detailed examples** and **parameters**")
|
| 340 |
transformers_topic = gr.Textbox(label="π Topic", placeholder="e.g., pipeline, tokenizer, trainer, model, peft, generation, quantization")
|
|
|
|
| 344 |
transformers_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 345 |
gr.Markdown("**Core Topics:**")
|
| 346 |
with gr.Row():
|
| 347 |
+
gr.Button("Pipeline", size="sm").click(lambda: set_transformer_topic("pipeline"), outputs=transformers_topic)
|
| 348 |
+
gr.Button("Tokenizer", size="sm").click(lambda: set_transformer_topic("tokenizer"), outputs=transformers_topic)
|
| 349 |
+
gr.Button("Trainer", size="sm").click(lambda: set_transformer_topic("trainer"), outputs=transformers_topic)
|
| 350 |
+
gr.Button("Generation", size="sm").click(lambda: set_transformer_topic("generation"), outputs=transformers_topic)
|
| 351 |
+
|
| 352 |
+
transformers_btn.click(run_transformers_docs, inputs=transformers_topic, outputs=transformers_output)
|
| 353 |
+
transformers_clear.click(clear_output, outputs=transformers_output)
|
| 354 |
+
|
| 355 |
with gr.Tab("π₯ Trending Models", elem_id="trending"):
|
| 356 |
gr.Markdown("### Discover the most popular and trending models")
|
| 357 |
trending_limit = gr.Number(label="Number of Models", value=10, minimum=1, maximum=20)
|
|
|
|
| 359 |
with gr.Row():
|
| 360 |
trending_btn = gr.Button("π₯ Get Trending Models", variant="primary", size="lg")
|
| 361 |
trending_clear = gr.Button("ποΈ Clear", variant="secondary")
|
| 362 |
+
|
| 363 |
+
trending_btn.click(run_trending_models, inputs=trending_limit, outputs=trending_output)
|
| 364 |
+
trending_clear.click(clear_output, outputs=trending_output)
|
| 365 |
+
|
| 366 |
# Footer
|
| 367 |
with gr.Row():
|
| 368 |
gr.HTML("""
|
|
|
|
| 377 |
if __name__ == "__main__":
|
| 378 |
print("π Starting Hugging Face Information Server...")
|
| 379 |
print("π Features: Code examples, usage instructions, comprehensive documentation")
|
| 380 |
+
# Kept your original launch parameters
|
| 381 |
demo.launch(
|
|
|
|
|
|
|
|
|
|
| 382 |
mcp_server=True
|
| 383 |
)
|