x-api — community AI-Revenue-Systems-Studio, community, ide skills

v1.0.0

关于此技能

“We install the AI systems that help your business capture leads, respond instantly, create content, automate admin, and convert more customers without hiring more staff.”

officechbusinessservices-creator officechbusinessservices-creator
[0]
[0]
更新于: 3/24/2026

Killer-Skills Review

Decision support comes first. Repository text comes second.

Reference-Only Page Review Score: 1/11

This page remains useful for operators, but Killer-Skills treats it as reference material instead of a primary organic landing page.

Review Score
1/11
Quality Score
36
Canonical Locale
en
Detected Body Locale
en

“We install the AI systems that help your business capture leads, respond instantly, create content, automate admin, and convert more customers without hiring more staff.”

核心价值

“We install the AI systems that help your business capture leads, respond instantly, create content, automate admin, and convert more customers without hiring more staff.”

适用 Agent 类型

Suitable for operator workflows that need explicit guardrails before installation and execution.

赋予的主要能力 · x-api

! 使用限制与门槛

Why this page is reference-only

  • - Current locale does not satisfy the locale-governance contract.
  • - The page lacks a strong recommendation layer.
  • - The page lacks concrete use-case guidance.
  • - The page lacks explicit limitations or caution signals.
  • - The underlying skill quality score is below the review floor.

Source Boundary

The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.

评审后的下一步

先决定动作,再继续看上游仓库材料

Killer-Skills 的主价值不应该停在“帮你打开仓库说明”,而是先帮你判断这项技能是否值得安装、是否应该回到可信集合复核,以及是否已经进入工作流落地阶段。

实验室 Demo

Browser Sandbox Environment

⚡️ Ready to unleash?

Experience this Agent in a zero-setup browser environment powered by WebContainers. No installation required.

Boot Container Sandbox

常见问题与安装步骤

以下问题与步骤与页面结构化数据保持一致,便于搜索引擎理解页面内容。

? FAQ

x-api 是什么?

“We install the AI systems that help your business capture leads, respond instantly, create content, automate admin, and convert more customers without hiring more staff.”

如何安装 x-api?

运行命令:npx killer-skills add officechbusinessservices-creator/AI-Revenue-Systems-Studio/x-api。支持 Cursor、Windsurf、VS Code、Claude Code 等 19+ IDE/Agent。

x-api 支持哪些 IDE 或 Agent?

该技能兼容 Cursor, Windsurf, VS Code, Trae, Claude Code, OpenClaw, Aider, Codex, OpenCode, Goose, Cline, Roo Code, Kiro, Augment Code, Continue, GitHub Copilot, Sourcegraph Cody, and Amazon Q Developer。可使用 Killer-Skills CLI 一条命令通用安装。

安装步骤

  1. 1. 打开终端

    在你的项目目录中打开终端或命令行。

  2. 2. 执行安装命令

    运行:npx killer-skills add officechbusinessservices-creator/AI-Revenue-Systems-Studio/x-api。CLI 会自动识别 IDE 或 AI Agent 并完成配置。

  3. 3. 开始使用技能

    x-api 已启用,可立即在当前项目中调用。

! 参考页模式

此页面仍可作为安装与查阅参考,但 Killer-Skills 不再把它视为主要可索引落地页。请优先阅读上方评审结论,再决定是否继续查看上游仓库说明。

Upstream Repository Material

The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.

Upstream Source

x-api

安装 x-api,这是一款面向AI agent workflows and automation的 AI Agent Skill。查看评审结论、使用场景与安装路径。

SKILL.md
Readonly
Upstream Repository Material
The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.
Supporting Evidence

X API

Programmatic interaction with X (Twitter) for posting, reading, searching, and analytics.

When to Activate

  • User wants to post tweets or threads programmatically
  • Reading timeline, mentions, or user data from X
  • Searching X for content, trends, or conversations
  • Building X integrations or bots
  • Analytics and engagement tracking
  • User says "post to X", "tweet", "X API", or "Twitter API"

Authentication

OAuth 2.0 (App-Only / User Context)

Best for: read-heavy operations, search, public data.

bash
1# Environment setup 2export X_BEARER_TOKEN="your-bearer-token"
python
1import os 2import requests 3 4bearer = os.environ["X_BEARER_TOKEN"] 5headers = {"Authorization": f"Bearer {bearer}"} 6 7# Search recent tweets 8resp = requests.get( 9 "https://api.x.com/2/tweets/search/recent", 10 headers=headers, 11 params={"query": "claude code", "max_results": 10} 12) 13tweets = resp.json()

OAuth 1.0a (User Context)

Required for: posting tweets, managing account, DMs.

bash
1# Environment setup — source before use 2export X_API_KEY="your-api-key" 3export X_API_SECRET="your-api-secret" 4export X_ACCESS_TOKEN="your-access-token" 5export X_ACCESS_SECRET="your-access-secret"
python
1import os 2from requests_oauthlib import OAuth1Session 3 4oauth = OAuth1Session( 5 os.environ["X_API_KEY"], 6 client_secret=os.environ["X_API_SECRET"], 7 resource_owner_key=os.environ["X_ACCESS_TOKEN"], 8 resource_owner_secret=os.environ["X_ACCESS_SECRET"], 9)

Core Operations

Post a Tweet

python
1resp = oauth.post( 2 "https://api.x.com/2/tweets", 3 json={"text": "Hello from Claude Code"} 4) 5resp.raise_for_status() 6tweet_id = resp.json()["data"]["id"]

Post a Thread

python
1def post_thread(oauth, tweets: list[str]) -> list[str]: 2 ids = [] 3 reply_to = None 4 for text in tweets: 5 payload = {"text": text} 6 if reply_to: 7 payload["reply"] = {"in_reply_to_tweet_id": reply_to} 8 resp = oauth.post("https://api.x.com/2/tweets", json=payload) 9 resp.raise_for_status() 10 tweet_id = resp.json()["data"]["id"] 11 ids.append(tweet_id) 12 reply_to = tweet_id 13 return ids

Read User Timeline

python
1resp = requests.get( 2 f"https://api.x.com/2/users/{user_id}/tweets", 3 headers=headers, 4 params={ 5 "max_results": 10, 6 "tweet.fields": "created_at,public_metrics", 7 } 8)

Search Tweets

python
1resp = requests.get( 2 "https://api.x.com/2/tweets/search/recent", 3 headers=headers, 4 params={ 5 "query": "from:affaanmustafa -is:retweet", 6 "max_results": 10, 7 "tweet.fields": "public_metrics,created_at", 8 } 9)

Get User by Username

python
1resp = requests.get( 2 "https://api.x.com/2/users/by/username/affaanmustafa", 3 headers=headers, 4 params={"user.fields": "public_metrics,description,created_at"} 5)

Upload Media and Post

python
1# Media upload uses v1.1 endpoint 2 3# Step 1: Upload media 4media_resp = oauth.post( 5 "https://upload.twitter.com/1.1/media/upload.json", 6 files={"media": open("image.png", "rb")} 7) 8media_id = media_resp.json()["media_id_string"] 9 10# Step 2: Post with media 11resp = oauth.post( 12 "https://api.x.com/2/tweets", 13 json={"text": "Check this out", "media": {"media_ids": [media_id]}} 14)

Rate Limits Reference

EndpointLimitWindow
POST /2/tweets20015 min
GET /2/tweets/search/recent45015 min
GET /2/users/:id/tweets150015 min
GET /2/users/by/username30015 min
POST media/upload41515 min

Always check x-rate-limit-remaining and x-rate-limit-reset headers.

python
1import time 2 3remaining = int(resp.headers.get("x-rate-limit-remaining", 0)) 4if remaining < 5: 5 reset = int(resp.headers.get("x-rate-limit-reset", 0)) 6 wait = max(0, reset - int(time.time())) 7 print(f"Rate limit approaching. Resets in {wait}s")

Error Handling

python
1resp = oauth.post("https://api.x.com/2/tweets", json={"text": content}) 2if resp.status_code == 201: 3 return resp.json()["data"]["id"] 4elif resp.status_code == 429: 5 reset = int(resp.headers["x-rate-limit-reset"]) 6 raise Exception(f"Rate limited. Resets at {reset}") 7elif resp.status_code == 403: 8 raise Exception(f"Forbidden: {resp.json().get('detail', 'check permissions')}") 9else: 10 raise Exception(f"X API error {resp.status_code}: {resp.text}")

Security

  • Never hardcode tokens. Use environment variables or .env files.
  • Never commit .env files. Add to .gitignore.
  • Rotate tokens if exposed. Regenerate at developer.x.com.
  • Use read-only tokens when write access is not needed.
  • Store OAuth secrets securely — not in source code or logs.

Integration with Content Engine

Use content-engine skill to generate platform-native content, then post via X API:

  1. Generate content with content-engine (X platform format)
  2. Validate length (280 chars for single tweet)
  3. Post via X API using patterns above
  4. Track engagement via public_metrics
  • content-engine — Generate platform-native content for X
  • crosspost — Distribute content across X, LinkedIn, and other platforms

相关技能

寻找 x-api 的替代方案 (Alternative) 或可搭配使用的同类 community Skill?探索以下相关开源技能。

查看全部

openclaw-release-maintainer

Logo of openclaw
openclaw

Your own personal AI assistant. Any OS. Any Platform. The lobster way. 🦞

333.8k
0
AI

widget-generator

Logo of f
f

为prompts.chat的信息反馈系统生成可定制的插件小部件

149.6k
0
AI

flags

Logo of vercel
vercel

React 框架

138.4k
0
浏览器

pr-review

Logo of pytorch
pytorch

Python中具有强大GPU加速的张量和动态神经网络

98.6k
0
开发者工具