trello-integration-skill
--- name: trello-integration-skill description: This skill allows you to interact with Trello account to list boards, view lists, and create cards automatically. --- # Trello Integration Skill The T
Description
name: trello-integration-skill description: This skill allows you to interact with Trello account to list boards, view lists, and create cards automatically.
Trello Integration Skill
The Trello Integration Skill provides a seamless connection between the AI agent and the user's Trello account. It empowers the agent to autonomously fetch existing boards and lists, and create new task cards on specific boards based on user prompts.
Features
- Fetch Boards: Retrieve a list of all Trello boards the user has access to, including their Name, ID, and URL.
- Fetch Lists: Retrieve all lists (columns like "To Do", "In Progress", "Done") belonging to a specific board.
- Create Cards: Automatically create new cards with titles and descriptions in designated lists.
Setup & Prerequisites
To use this skill locally, you need to provide your Trello Developer API credentials.
- Generate your credentials at the Trello Developer Portal (Power-Ups Admin).
- Create an API Key.
- Generate a Secret Token (Read/Write access).
- Add these credentials to the project's root
.envfile:
# Trello Integration
TRELLO_API_KEY=your_api_key_here
TRELLO_TOKEN=your_token_here
Usage & Architecture
The skill utilizes standalone Node.js scripts located in the .agent/skills/trello_skill/scripts/ directory.
1. List All Boards
Fetches all boards for the authenticated user to determine the correct target boardId.
Execution:
node .agent/skills/trello_skill/scripts/list_boards.js
2. List Columns (Lists) in a Board
Fetches the lists inside a specific board to find the exact listId (e.g., retrieving the ID for the "To Do" column).
Execution:
node .agent/skills/trello_skill/scripts/list_lists.js <boardId>
3. Create a New Card
Pushes a new card to the specified list.
Execution:
node .agent/skills/trello_skill/scripts/create_card.js <listId> "<Card Title>" "<Optional Description>"
(Always wrap the card title and description in double quotes to prevent bash argument splitting).
AI Agent Workflow
When the user requests to manage or add a task to Trello, follow these steps autonomously:
- Identify the Target: If the target
listIdis unknown, first runlist_boards.jsto identify the correctboardId, then executelist_lists.js <boardId>to retrieve the correspondinglistId(e.g., for "To Do"). - Execute Command: Run the
create_card.js <listId> "Task Title" "Task Description"script. - Report Back: Confirm the successful creation with the user and provide the direct URL to the newly created Trello card. FILE:create_card.js const path = require('path'); require('dotenv').config({ path: path.join(__dirname, '../../../../.env') });
const API_KEY = process.env.TRELLO_API_KEY; const TOKEN = process.env.TRELLO_TOKEN;
if (!API_KEY || !TOKEN) { console.error("Error: TRELLO_API_KEY or TRELLO_TOKEN is missing from the .env file."); process.exit(1); }
const listId = process.argv[2]; const cardName = process.argv[3]; const cardDesc = process.argv[4] || "";
if (!listId || !cardName) {
console.error(Usage: node create_card.js <listId> "${card_name}" ["${card_description}"]);
process.exit(1);
}
async function createCard() {
const url = https://api.trello.com/1/cards?idList=${listId}&key=${API_KEY}&token=${TOKEN};
try {
const response = await fetch(url, {
method: 'POST',
headers: {
'Accept': 'application/json',
'Content-Type': 'application/json'
},
body: JSON.stringify({
name: cardName,
desc: cardDesc,
pos: 'top'
})
});
if (!response.ok) {
const errText = await response.text();
throw new Error(`HTTP error! status: ${response.status}, message: ${errText}`);
}
const card = await response.json();
console.log(`Successfully created card!`);
console.log(`Name: ${card.name}`);
console.log(`ID: ${card.id}`);
console.log(`URL: ${card.url}`);
} catch (error) {
console.error("Failed to create card:", error.message);
}
}
createCard(); FILE:list_board.js const path = require('path'); require('dotenv').config({ path: path.join(__dirname, '../../../../.env') });
const API_KEY = process.env.TRELLO_API_KEY; const TOKEN = process.env.TRELLO_TOKEN;
if (!API_KEY || !TOKEN) { console.error("Error: TRELLO_API_KEY or TRELLO_TOKEN is missing from the .env file."); process.exit(1); }
async function listBoards() {
const url = https://api.trello.com/1/members/me/boards?key=${API_KEY}&token=${TOKEN}&fields=name,url;
try {
const response = await fetch(url);
if (!response.ok) throw new Error(HTTP error! status: ${response.status});
const boards = await response.json();
console.log("--- Your Trello Boards ---");
boards.forEach(b => console.log(Name: ${b.name}\nID: ${b.id}\nURL: ${b.url}\n));
} catch (error) {
console.error("Failed to fetch boards:", error.message);
}
}
listBoards(); FILE:list_lists.js const path = require('path'); require('dotenv').config({ path: path.join(__dirname, '../../../../.env') });
const API_KEY = process.env.TRELLO_API_KEY; const TOKEN = process.env.TRELLO_TOKEN;
if (!API_KEY || !TOKEN) { console.error("Error: TRELLO_API_KEY or TRELLO_TOKEN is missing from the .env file."); process.exit(1); }
const boardId = process.argv[2];
if (!boardId) {
console.error("Usage: node list_lists.js
async function listLists() {
const url = https://api.trello.com/1/boards/${boardId}/lists?key=${API_KEY}&token=${TOKEN}&fields=name;
try {
const response = await fetch(url);
if (!response.ok) throw new Error(HTTP error! status: ${response.status});
const lists = await response.json();
console.log(--- Lists in Board ${boardId} ---);
lists.forEach(l => console.log(Name: "${l.name}"\nID: ${l.id}\n));
} catch (error) {
console.error("Failed to fetch lists:", error.message);
}
}
listLists();
Reviews (0)
No reviews yet. Be the first to review!
Comments (0)
No comments yet. Be the first to share your thoughts!