generated from IQAIcom/mcp-server-starter
-
Notifications
You must be signed in to change notification settings - Fork 0
feat: Standardize README structure #27
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
Merged
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,156 @@ | ||
| import fs from "node:fs"; | ||
| import path from "node:path"; | ||
| import { fileURLToPath } from "node:url"; | ||
| import { zodToJsonSchema } from "zod-to-json-schema"; | ||
|
|
||
| const __dirname = path.dirname(fileURLToPath(import.meta.url)); | ||
| const ROOT = path.resolve(__dirname, "../../.."); | ||
| const README_PATH = path.join(ROOT, "README.md"); | ||
| const TOOLS_DIR = path.join(ROOT, "src", "tools"); | ||
|
|
||
| const START = "<!-- AUTO-GENERATED TOOLS START -->"; | ||
| const END = "<!-- AUTO-GENERATED TOOLS END -->"; | ||
|
|
||
| /** | ||
| * Load MCP tools | ||
| * Scans for any export that looks like an MCP tool: | ||
| * { | ||
| * name: string, | ||
| * description: string, | ||
| * parameters?: ZodSchema | ||
| * schema?: JSONSchema | ||
| * } | ||
| */ | ||
| async function loadTools() { | ||
| const files = fs | ||
| .readdirSync(TOOLS_DIR) | ||
| .filter((f) => f.endsWith(".ts") && f !== "index.ts"); | ||
|
|
||
| const toolPromises = files.map(async (file) => { | ||
| const mod = await import(path.join(TOOLS_DIR, file)); | ||
|
|
||
| const matches = Object.values(mod).filter( | ||
| (exp) => | ||
| exp && | ||
| typeof exp === "object" && | ||
| typeof exp.name === "string" && | ||
| typeof exp.description === "string" && | ||
| (exp.parameters || exp.schema), | ||
| ); | ||
|
|
||
| if (matches.length === 0) { | ||
| return null; | ||
| } | ||
|
|
||
| if (matches.length > 1) { | ||
| console.warn( | ||
| `Warning: ${file} exports multiple MCP-like tools. Using the first one.`, | ||
| ); | ||
| } | ||
|
|
||
| return matches[0]; | ||
| }); | ||
|
|
||
| const loadedTools = await Promise.all(toolPromises); | ||
| const tools = loadedTools.filter(Boolean); | ||
|
|
||
| return tools.sort((a, b) => a.name.localeCompare(b.name)); | ||
| } | ||
|
|
||
| function renderSchema(schema) { | ||
| if (!schema) { | ||
| return "_No parameters_"; | ||
| } | ||
|
|
||
| // If this is a Zod schema, convert it to JSON Schema | ||
| const jsonSchema = | ||
| typeof schema.safeParse === "function" ? zodToJsonSchema(schema) : schema; | ||
|
|
||
| const properties = jsonSchema.properties ?? {}; | ||
| const required = new Set(jsonSchema.required ?? []); | ||
|
|
||
| if (Object.keys(properties).length === 0) { | ||
| return "_No parameters_"; | ||
| } | ||
|
|
||
| // Check if any param has a default value to determine table columns | ||
| const hasDefaults = Object.values(properties).some( | ||
| (prop) => prop.default !== undefined, | ||
| ); | ||
|
|
||
| // Build table header | ||
| let table = hasDefaults | ||
| ? "| Parameter | Type | Required | Default | Description |\n|-----------|------|----------|---------|-------------|\n" | ||
| : "| Parameter | Type | Required | Description |\n|-----------|------|----------|-------------|\n"; | ||
|
|
||
| // Build table rows | ||
| for (const [key, prop] of Object.entries(properties)) { | ||
| const type = Array.isArray(prop.type) | ||
| ? prop.type.join(" | ") | ||
| : (prop.type ?? "unknown"); | ||
|
|
||
| const requiredStr = required.has(key) ? "✅" : ""; | ||
| const description = prop.description ?? ""; | ||
| const defaultVal = | ||
| prop.default !== undefined ? JSON.stringify(prop.default) : ""; | ||
|
|
||
| if (hasDefaults) { | ||
| table += `| \`${key}\` | ${type} | ${requiredStr} | ${defaultVal} | ${description} |\n`; | ||
| } else { | ||
| table += `| \`${key}\` | ${type} | ${requiredStr} | ${description} |\n`; | ||
| } | ||
| } | ||
|
|
||
| return table.trim(); | ||
| } | ||
|
|
||
| function renderMarkdown(tools) { | ||
| let md = ""; | ||
|
|
||
| for (const tool of tools) { | ||
| const schema = tool.parameters || tool.schema; | ||
|
|
||
| md += `### \`${tool.name}\`\n`; | ||
| md += `${tool.description}\n\n`; | ||
| md += `${renderSchema(schema)}\n\n`; | ||
| } | ||
|
|
||
| return md.trim(); | ||
| } | ||
|
Comment on lines
+107
to
+119
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. The function renderMarkdown(tools) {
return tools
.map((tool) => {
const schema = tool.parameters || tool.schema;
return `### \`${tool.name}\`\n${tool.description}\n\n${renderSchema(schema)}`;
})
.join("\n\n");
} |
||
|
|
||
| function updateReadme({ readme, tools }) { | ||
| if (!readme.includes(START) || !readme.includes(END)) { | ||
| throw new Error("README missing AUTO-GENERATED TOOLS markers"); | ||
| } | ||
|
|
||
| const toolsMd = renderMarkdown(tools); | ||
|
|
||
| return readme.replace( | ||
| new RegExp(`${START}[\\s\\S]*?${END}`, "m"), | ||
| `${START}\n\n${toolsMd}\n\n${END}`, | ||
| ); | ||
| } | ||
|
|
||
| async function main() { | ||
| try { | ||
| const readme = fs.readFileSync(README_PATH, "utf8"); | ||
| const tools = await loadTools(); | ||
|
|
||
| if (tools.length === 0) { | ||
| console.warn("Warning: No tools found!"); | ||
| } | ||
|
|
||
| const updated = updateReadme({ readme, tools }); | ||
|
|
||
| fs.writeFileSync(README_PATH, updated); | ||
| console.log(`Synced ${tools.length} MCP tools to README.md`); | ||
| } catch (error) { | ||
| console.error("Error updating README:", error); | ||
| process.exit(1); | ||
| } | ||
| } | ||
|
|
||
| main().catch((err) => { | ||
| console.error(err); | ||
| process.exit(1); | ||
| }); | ||
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,47 @@ | ||
| name: Sync MCP Tool Docs | ||
|
|
||
| on: | ||
| push: | ||
| branches: | ||
| - main | ||
|
|
||
| permissions: | ||
| contents: write | ||
|
|
||
| jobs: | ||
| sync-tools: | ||
| runs-on: ubuntu-latest | ||
|
|
||
| steps: | ||
| - name: Checkout repo | ||
| uses: actions/checkout@v4 | ||
|
|
||
| - name: Setup Node | ||
| uses: actions/setup-node@v4 | ||
| with: | ||
| node-version: 20 | ||
|
|
||
| - name: Install dependencies | ||
| run: | | ||
| if [ -f pnpm-lock.yaml ]; then | ||
| corepack enable | ||
| pnpm install --frozen-lockfile | ||
| else | ||
| npm install | ||
| fi | ||
|
|
||
| - name: Generate MCP tool documentation | ||
| run: npx tsx .github/actions/generate-mcp-tools/generate-tools.mjs | ||
|
|
||
| - name: Commit README changes | ||
| run: | | ||
| if git diff --quiet; then | ||
| echo "No README changes" | ||
| exit 0 | ||
| fi | ||
|
|
||
| git config --local user.email "action@github.com" | ||
| git config --local user.name "GitHub Action" | ||
| git add README.md | ||
| git commit -m "chore: auto-sync MCP tool documentation" | ||
| git push |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
The
deadlineparameter inGET_NEAR_SWAP_FULL_QUOTEhas a dynamic default value (1 hour from now). However,zod-to-json-schemaevaluates this at generation time, resulting in a static, soon-to-be-outdated timestamp in the README. This can be misleading for users, as theDefaultcolumn will not reflect the dynamic nature described in theDescriptioncolumn. To avoid this confusion, you could consider omitting the default value fordeadlinefrom the generated table or replacing it with a descriptive placeholder likenow + 1 hour.