linear-todo-sync
This skill fetches open tasks assigned to the user from the Linear API and generates a markdown todo list file in the project root. This skill should be used when the user asks about their work items, wants to see what they need to work on, or requests to load/sync their Linear tasks. Requires Python 3.7+, requests, mdutils, and python-dotenv packages. Requires LINEAR_API_KEY in .env file.
Install
mkdir -p .claude/skills/linear-todo-sync && curl -L -o skill.zip "https://mcp.directory/api/skills/download/5527" && unzip -o skill.zip -d .claude/skills/linear-todo-sync && rm skill.zipInstalls to .claude/skills/linear-todo-sync
About this skill
Linear Todo Sync
Automatically fetch assigned Linear tasks and generate a comprehensive markdown todo list in your project root. This skill queries the Linear GraphQL API to retrieve all open tasks assigned to you, organizing them by project with full details including status, priority, labels, estimates, and due dates.
Setup
1. Install Required Packages
Install the Python dependencies:
pip install requests mdutils python-dotenv
Or using conda:
conda install requests python-dotenv
pip install mdutils
2. Obtain Linear API Key
- Navigate to Linear API Settings
- Click "Create new key" under Personal API Keys
- Give it a descriptive name (e.g., "Claude Code Sync")
- Copy the generated API key
3. Configure Environment
Create a .env file in your project root:
cp .claude/skills/linear-todo-sync/assets/.env.example .env
Edit .env and add your API key:
LINEAR_API_KEY=lin_api_xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
Important: Ensure .env is in your .gitignore to protect your API key.
4. Verify Setup
Test the configuration by running:
python .claude/skills/linear-todo-sync/scripts/sync_linear_tasks.py
A markdown file named linear-todos-YYYY-MM-DD.md should appear in your project root.
How It Works
When triggered, this skill:
- Loads credentials from the
.envfile in your project root - Queries Linear API using GraphQL to fetch all assigned issues in non-completed states
- Retrieves task details including title, description, status, priority, labels, estimates, due dates, project, and URL
- Groups tasks by project for better organization
- Generates markdown file with filename
linear-todos-YYYY-MM-DD.mdin the project root - Outputs summary showing total tasks and project count
The generated markdown file provides a comprehensive view of your work with all relevant task metadata, making it easy to review priorities and plan your day.
Usage
Trigger this skill with phrases like:
- "What do I need to work on this morning"
- "Show me my work"
- "Load work"
- "Sync my Linear tasks"
- "Get my todo list from Linear"
The skill will execute the sync script and create a dated markdown file in your project root.
Generated File Format
The markdown file follows this structure:
# Linear Tasks - January 18, 2025
Generated: 2025-01-18 09:30:45
Total Tasks: 12
## Project Alpha
### Implement user authentication (High)
- **Status**: In Progress
- **Labels**: backend, security
- **Estimate**: 5 points
- **Due**: 2025-01-20
- **Link**: https://linear.app/team/issue/PROJ-123
Add JWT-based authentication to the API endpoints...
### Fix login bug (Urgent)
- **Status**: Todo
- **Labels**: bug, frontend
- **Estimate**: 2 points
- **Due**: 2025-01-19
- **Link**: https://linear.app/team/issue/PROJ-124
Users cannot log in when using Safari...
## Project Beta
...
Customization
To modify the skill's behavior, edit scripts/sync_linear_tasks.py:
Change GraphQL Query
Modify the QUERY variable to fetch additional fields:
QUERY = """
query {
viewer {
assignedIssues(filter: { state: { type: { nin: ["completed", "canceled"] } } }) {
nodes {
id
title
description
state { name }
priority
labels { nodes { name } }
estimate
dueDate
project { name }
url
# Add more fields here
createdAt
updatedAt
assignee { name }
}
}
}
}
"""
Adjust Task Filtering
Modify the filter in the GraphQL query to change which tasks are fetched:
# Include completed tasks from the last week
filter: {
state: { type: { nin: ["canceled"] } }
completedAt: { gte: "2025-01-11" }
}
Modify Output Format
Customize the markdown generation in the generate_markdown() function to change structure, add sections, or include different metadata.
Change Output Location
Update the output_path variable in main():
# Save to a different directory
output_path = os.path.join(project_root, "docs", filename)
Troubleshooting
Error: "LINEAR_API_KEY not found in environment"
Cause: The .env file is missing or doesn't contain the API key.
Solution:
- Verify
.envexists in your project root (not in the skill directory) - Check that it contains:
LINEAR_API_KEY=lin_api_... - Ensure no extra spaces around the
=sign - Restart your terminal session if you just created the file
Error: "Authentication failed: Invalid API key"
Cause: The API key is incorrect or expired.
Solution:
- Go to Linear API Settings
- Verify your API key is still active
- Generate a new key if needed
- Update
.envwith the correct key
Error: "Network request failed"
Cause: Cannot connect to Linear API (network issue, timeout, or API downtime).
Solution:
- Check your internet connection
- Verify https://linear.app is accessible
- Check Linear Status for outages
- Try again in a few moments
Error: "Rate limit exceeded (429)"
Cause: Too many API requests in a short period.
Solution:
- Wait 60 seconds before retrying
- Avoid running the sync multiple times in quick succession
- Linear's rate limit is 2000 requests per hour per API key
Warning: "No tasks found"
Cause: You have no assigned tasks in non-completed states.
Solution: This is informational only. The skill will still create a markdown file indicating zero tasks.
Error: "Permission denied when writing file"
Cause: Insufficient file system permissions.
Solution:
- Check you have write permissions in the project directory
- Verify the directory exists and is accessible
- Try running with appropriate permissions
Script runs but no file appears
Cause: File created in unexpected location or script error.
Solution:
- Check the script output for the exact file path
- Look for error messages in the console
- Run with verbose output:
python scripts/sync_linear_tasks.py --verbose
Security Best Practices
- Never commit
.envfile: Always add.envto.gitignore - Rotate API keys periodically: Generate new keys every 90 days
- Use minimal permissions: Linear API keys inherit your user permissions
- Keep packages updated: Run
pip install --upgrade requests mdutils python-dotenv - Review generated files: Check markdown files before sharing to ensure no sensitive data
Advanced Usage
Automated Daily Sync
Add to your shell profile (.bashrc, .zshrc) to sync on terminal startup:
# Auto-sync Linear tasks daily
if [ -f "/path/to/project/.env" ]; then
python /path/to/project/.claude/skills/linear-todo-sync/scripts/sync_linear_tasks.py
fi
Integration with Git Hooks
Create a post-checkout hook to sync after changing branches:
#!/bin/bash
# .git/hooks/post-checkout
python .claude/skills/linear-todo-sync/scripts/sync_linear_tasks.py
CI/CD Integration
Use in continuous integration to track team tasks:
# .github/workflows/sync-tasks.yml
- name: Sync Linear Tasks
run: |
pip install requests mdutils python-dotenv
python .claude/skills/linear-todo-sync/scripts/sync_linear_tasks.py
env:
LINEAR_API_KEY: ${{ secrets.LINEAR_API_KEY }}
Additional Resources
- Linear GraphQL API Documentation
- Linear API Reference
- Python Requests Documentation
- MDUtils Documentation
For detailed API reference and advanced GraphQL queries, see the Linear API documentation.
More by qdhenry
View all skills by qdhenry →You might also like
flutter-development
aj-geddes
Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.
drawio-diagrams-enhanced
jgtolentino
Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.
godot
bfollington
This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.
ui-ux-pro-max
nextlevelbuilder
"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."
nano-banana-pro
garg-aayush
Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.
fastapi-templates
wshobson
Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.
Related MCP Servers
Browse all serversAutomate Excel file tasks without Microsoft Excel using openpyxl and xlsxwriter for formatting, formulas, charts, and ad
Async browser automation server using GPT-4o for remote web navigation, extraction, and tasks. Ideal for Selenium softwa
Effortlessly manage Google Cloud with this user-friendly multi cloud management platform—simplify operations, automate t
Boost productivity with AI for project management. monday.com MCP securely automates workflows and data. Seamless AI and
Search the OpenTofu Registry for providers, modules, resources, and docs to streamline your infrastructure-as-code tasks
Consult LLM escalates complex reasoning tasks to advanced models with code context, git diffs, and detailed cost trackin
Stay ahead of the MCP ecosystem
Get weekly updates on new skills and servers.