hot-topics

Get real-time trending topics and hot searches from major Chinese social media platforms including Weibo, Zhihu, Baidu, Douyin, Toutiao, and Bilibili. Use when users want to know trending topics, hot searches, or popular content on Chinese social media platforms.

Safety Notice

This listing is from the official public ClawHub registry. Review SKILL.md and referenced scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "hot-topics" with this command: npx skills add vikiboss/hot-topics

Hot Topics & Trending Content Skill

This skill helps AI agents fetch trending topics and hot searches from major Chinese social media and content platforms.

When to Use This Skill

Use this skill when users:

  • Want to know what's trending on social media
  • Ask about hot topics or viral content
  • Need to understand current popular discussions
  • Want to track trending topics across platforms
  • Research social media trends

Supported Platforms

  1. Weibo - Chinese Twitter equivalent
  2. Zhihu - Chinese Quora equivalent
  3. Baidu - China's largest search engine
  4. Douyin - TikTok China
  5. Toutiao - ByteDance news aggregator
  6. Bilibili - Chinese YouTube equivalent

API Endpoints

PlatformEndpointDescription
Weibo/v2/weiboWeibo hot search topics
Zhihu/v2/zhihuZhihu trending questions
Baidu/v2/baidu/hotBaidu hot searches
Douyin/v2/douyinDouyin trending videos
Toutiao/v2/toutiaoToutiao hot news
Bilibili/v2/biliBilibili trending videos

All endpoints use GET method and base URL: https://60s.viki.moe/v2

How to Use

Get Weibo Hot Searches

import requests

def get_weibo_hot():
    response = requests.get('https://60s.viki.moe/v2/weibo')
    return response.json()

hot_topics = get_weibo_hot()
print("Weibo Hot Search:")
for i, topic in enumerate(hot_topics['data'][:10], 1):
    print(f"{i}. {topic['title']} - Heat: {topic.get('hot', 'N/A')}")

Get Zhihu Hot Topics

def get_zhihu_hot():
    response = requests.get('https://60s.viki.moe/v2/zhihu')
    return response.json()

topics = get_zhihu_hot()
print("Zhihu Trending:")
for topic in topics['data'][:10]:
    print(f"- {topic['title']}")

Get Multiple Platform Trends

def get_all_hot_topics():
    platforms = {
        'weibo': 'https://60s.viki.moe/v2/weibo',
        'zhihu': 'https://60s.viki.moe/v2/zhihu',
        'baidu': 'https://60s.viki.moe/v2/baidu/hot',
        'douyin': 'https://60s.viki.moe/v2/douyin',
        'bili': 'https://60s.viki.moe/v2/bili'
    }

    results = {}
    for name, url in platforms.items():
        try:
            response = requests.get(url)
            results[name] = response.json()
        except:
            results[name] = None

    return results

# Usage
all_topics = get_all_hot_topics()

Simple bash examples

# Weibo hot search
curl "https://60s.viki.moe/v2/weibo"

# Zhihu trending
curl "https://60s.viki.moe/v2/zhihu"

# Baidu hot search
curl "https://60s.viki.moe/v2/baidu/hot"

# Douyin trending
curl "https://60s.viki.moe/v2/douyin"

# Bilibili trending
curl "https://60s.viki.moe/v2/bili"

Response Format

Responses typically include:

{
  "data": [
    {
      "title": "Topic title",
      "url": "https://...",
      "hot": "1234567",
      "rank": 1
    },
    ...
  ],
  "update_time": "2024-01-15 14:00:00"
}

Example Interactions

User: "What's hot on Weibo right now?"

hot = get_weibo_hot()
top_5 = hot['data'][:5]

response = "Weibo Hot Search TOP 5:\n\n"
for i, topic in enumerate(top_5, 1):
    response += f"{i}. {topic['title']}\n"
    response += f"   Heat: {topic.get('hot', 'N/A')}\n\n"

User: "What are people discussing on Zhihu?"

zhihu = get_zhihu_hot()
response = "Zhihu Current Hot Topics:\n\n"
for topic in zhihu['data'][:8]:
    response += f"- {topic['title']}\n"

User: "Compare trends across platforms"

def compare_platform_trends():
    all_topics = get_all_hot_topics()

    summary = "Platform Trends Overview\n\n"

    platforms = {
        'weibo': 'Weibo',
        'zhihu': 'Zhihu',
        'baidu': 'Baidu',
        'douyin': 'Douyin',
        'bili': 'Bilibili'
    }

    for key, name in platforms.items():
        if all_topics.get(key):
            top_topic = all_topics[key]['data'][0]
            summary += f"{name}: {top_topic['title']}\n"

    return summary

Best Practices

  1. Rate Limiting: Don't call APIs too frequently, data updates every few minutes
  2. Error Handling: Always handle network errors and invalid responses
  3. Caching: Cache results for 5-10 minutes to reduce API calls
  4. Top N: Usually showing top 5-10 items is sufficient
  5. Context: Provide platform context when showing trending topics

Common Use Cases

1. Daily Trending Summary

def get_daily_trending_summary():
    weibo = get_weibo_hot()
    zhihu = get_zhihu_hot()

    summary = "Today's Hot Topics\n\n"
    summary += "[Weibo Hot Search]\n"
    summary += "\n".join([f"{i}. {t['title']}"
                          for i, t in enumerate(weibo['data'][:3], 1)])
    summary += "\n\n[Zhihu Trending]\n"
    summary += "\n".join([f"{i}. {t['title']}"
                          for i, t in enumerate(zhihu['data'][:3], 1)])

    return summary

2. Find Common Topics Across Platforms

def find_common_topics():
    all_topics = get_all_hot_topics()

    # Extract titles from all platforms
    all_titles = []
    for platform_data in all_topics.values():
        if platform_data and 'data' in platform_data:
            all_titles.extend([t['title'] for t in platform_data['data']])

    # Simple keyword matching (can be improved)
    from collections import Counter
    keywords = []
    for title in all_titles:
        keywords.extend(title.split())

    common = Counter(keywords).most_common(10)
    return f"Hot Keywords: {', '.join([k for k, _ in common])}"

3. Platform-specific Trending Alert

def check_trending_topic(keyword):
    platforms = ['weibo', 'zhihu', 'baidu']
    found_in = []

    for platform in platforms:
        url = f'https://60s.viki.moe/v2/{platform}' if platform != 'baidu' else 'https://60s.viki.moe/v2/baidu/hot'
        data = requests.get(url).json()

        for topic in data['data']:
            if keyword.lower() in topic['title'].lower():
                found_in.append(platform)
                break

    if found_in:
        return f"Topic '{keyword}' is trending on: {', '.join(found_in)}"
    return f"Topic '{keyword}' is not trending on major platforms"

4. Trending Content Recommendation

def recommend_content_by_interest(interest):
    """Recommend trending content based on user interest"""
    all_topics = get_all_hot_topics()

    recommendations = []
    for platform, data in all_topics.items():
        if data and 'data' in data:
            for topic in data['data']:
                if interest.lower() in topic['title'].lower():
                    recommendations.append({
                        'platform': platform,
                        'title': topic['title'],
                        'url': topic.get('url', '')
                    })

    return recommendations

Platform-Specific Notes

Weibo

  • Updates frequently (every few minutes)
  • Includes heat score
  • Some topics may have tags like "hot" or "new"

Zhihu

  • Focuses on questions and discussions
  • Usually more in-depth topics
  • Great for understanding what people are curious about

Baidu

  • Reflects search trends
  • Good indicator of mainstream interest
  • Includes various categories

Douyin

  • Video-focused trending
  • Entertainment and lifestyle content
  • Young audience interests

Bilibili

  • Video platform trends
  • ACG (Anime, Comic, Games) culture
  • Creative content focus

Troubleshooting

Issue: Empty or null data

  • Solution: API might be updating, retry after a few seconds
  • Check network connectivity

Issue: Old timestamps

  • Solution: Data is cached, this is normal
  • Most platforms update every 5-15 minutes

Issue: Missing platform

  • Solution: Ensure correct endpoint URL
  • Check API documentation for changes

Changelog

VersionDateChanges
v1.1.02025-03-15Translated to English
v1.0.02024-01-15Initial release

Related Resources

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

General

AI Viral Trend Hijacker — Detect Any Trend & Produce Content Before It Peaks

Detect real-time viral trends across TikTok, Instagram, Reddit, YouTube, and Google, score and map them to your niche, then generate scripts and produce read...

Registry SourceRecently Updated
920Profile unavailable
General

Daily Hot Push

每日推送中国热榜TOP10到飞书。从微博、知乎、百度、36氪筛选最重要的新闻,智能排除明星八卦和主观评论。

Registry SourceRecently Updated
2870Profile unavailable
General

Content Scraper — AI Trend Monitor

Monitors configured social channels daily to identify trending topics, viral content, and new content ideas within your niche, delivering structured reports.

Registry SourceRecently Updated
2993Profile unavailable
Automation

微信公众号自动发布增强版

一键发布 Markdown/HTML 文章到微信公众号草稿箱,支持自动配图、美化排版、UTF-8 编码

Registry SourceRecently Updated
951Profile unavailable