Fast automation platform error resolver for Power Automate, n8n, Make, Zapier and other platforms. Handles common patterns like 401/403 auth errors, 429 throttling, and data format issues. Provides immediate fixes without deep research for well-known error patterns. Use when error matches common scenarios (status codes 401, 403, 404, 429, timeout, parse JSON failures). For complex or unknown errors, defer to automation-debugger skill. When the user outputs some code/json snippets and ask for a quick fix, this skill will provide immediate solutions.
Provides immediate fixes for common automation workflow errors like 401/403 auth, 429 throttling, JSON parsing failures, and expression errors. Activates when users report status codes, parse errors, or provide code snippets asking for quick fixes.
/plugin marketplace add MacroMan5/AutomationHelper_plugins/plugin install automation-helper@automation-helper-marketplaceThis skill inherits all available tools. When active, it can use any tool Claude has access to.
Fast-track resolver for common automation workflow error patterns across multiple platforms with immediate, proven solutions.
Provides rapid fixes for frequently encountered automation workflow errors across all platforms:
When to use this skill: Error matches a well-known pattern When to use automation-debugger instead: Unknown error, complex scenario, or quick fix doesn't resolve
Activates for messages like:
Before applying any quick fix, quickly verify data structures in your flow:
// In filters/queries, check the where clause:
// Array of STRINGS (primitives):
"where": "@contains(item(), 'text')" // ← item() without property
// Array of OBJECTS:
"where": "@contains(item()?['Name'], 'text')" // ← item()?['Property']
If your flow has data structure mismatches (filter uses item() but loop uses items('Loop')?['Property']), this is NOT a quick fix scenario → use automation-debugger instead.
Quick Fix applies to: Authentication, throttling, timeouts, parse JSON, NOT structural bugs.
Pattern Recognition:
items('Loop')?['Property'] but source is array of stringsQuick Diagnosis:
// Check your filter:
"where": "@contains(item(), 'value')" // ← This means array of STRINGS!
// But loop tries:
"value": "@items('Loop')?['PropertyName']" // ← ERROR: Can't access property on string!
Quick Decision:
Pattern Recognition:
Immediate Fix:
{
"actions": {
"Scope_With_Auth_Handling": {
"type": "Scope",
"actions": {
"Your_Action": {
"type": "ApiConnection",
"inputs": { /* your config */ },
"authentication": {
"type": "Raw",
"value": "@parameters('$connections')['shared_sharepointonline']['connectionId']"
}
}
}
},
"Catch_Auth_Error": {
"type": "Terminate",
"inputs": {
"runStatus": "Failed",
"runError": {
"code": "AuthenticationFailed",
"message": "Please re-authenticate the connection in Power Automate"
}
},
"runAfter": {
"Scope_With_Auth_Handling": ["Failed"]
}
}
}
}
Instructions:
Pattern Recognition:
Immediate Fix - SharePoint/OneDrive:
{
"actions": {
"Apply_to_each_FIXED": {
"type": "Foreach",
"foreach": "@body('Get_items')?['value']",
"runtimeConfiguration": {
"concurrency": {
"repetitions": 1
}
},
"actions": {
"Your_API_Action": {
"type": "ApiConnection",
"inputs": { /* your config */ },
"runAfter": {}
},
"Delay_1_Second": {
"type": "Wait",
"inputs": {
"interval": {
"count": 1,
"unit": "Second"
}
},
"runAfter": {
"Your_API_Action": ["Succeeded"]
}
}
}
}
}
}
Instructions:
runtimeConfiguration.concurrency.repetitions: 1Quick calculation:
Pattern Recognition:
Immediate Fix:
{
"actions": {
"Parse_JSON_FIXED": {
"type": "ParseJson",
"inputs": {
"content": "@body('HTTP')",
"schema": {
"type": "object",
"properties": {
"id": {"type": "string"},
"name": {"type": "string"},
"value": {"type": ["string", "null"]}
}
}
}
},
"Safe_Access_Property": {
"type": "Compose",
"inputs": "@coalesce(body('Parse_JSON_FIXED')?['value'], 'default')",
"runAfter": {
"Parse_JSON_FIXED": ["Succeeded"]
}
}
}
}
Instructions:
?['property'] for safe navigation (optional chaining)coalesce() for default values with null propertiesSchema generation tip:
"null" to type array for optional fields: {"type": ["string", "null"]}Pattern Recognition:
Immediate Fix - Do Until:
{
"actions": {
"Do_until_FIXED": {
"type": "Until",
"expression": "@equals(variables('Complete'), true)",
"limit": {
"count": 60,
"timeout": "PT1H"
},
"actions": {
"Your_Action": {
"type": "Compose",
"inputs": "@variables('Data')"
},
"Check_Complete": {
"type": "SetVariable",
"inputs": {
"name": "Complete",
"value": "@greater(length(variables('Data')), 0)"
},
"runAfter": {
"Your_Action": ["Succeeded"]
}
}
}
}
}
}
Instructions:
limit.count and limit.timeout in Do untilImmediate Fix - Large Files:
{
"actions": {
"Check_File_Size_FIXED": {
"type": "If",
"expression": {
"and": [{
"lessOrEquals": [
"@triggerBody()?['Size']",
50000000
]
}]
},
"actions": {
"Process_Normal_File": {
"type": "ApiConnection",
"inputs": { /* your file action */ }
}
},
"else": {
"actions": {
"Log_Large_File": {
"type": "Compose",
"inputs": "File over 50MB - skipping"
}
}
}
}
}
}
Instructions:
Pattern Recognition:
Immediate Fix:
{
"actions": {
"Try_Get_Item": {
"type": "Scope",
"actions": {
"Get_Item": {
"type": "ApiConnection",
"inputs": { /* your get action */ }
}
}
},
"Handle_Not_Found": {
"type": "If",
"expression": {
"and": [{
"equals": [
"@result('Try_Get_Item')[0]['status']",
"Failed"
]
}]
},
"runAfter": {
"Try_Get_Item": ["Failed", "Succeeded"]
},
"actions": {
"Create_If_Missing": {
"type": "ApiConnection",
"inputs": { /* your create action */ }
}
},
"else": {
"actions": {
"Use_Existing": {
"type": "Compose",
"inputs": "@body('Get_Item')"
}
}
}
}
}
}
Instructions:
result() functionPattern Recognition:
Common Quick Fixes:
Missing Property:
// BAD
@body('Get_Item')['MissingProperty']
// GOOD
@body('Get_Item')?['MissingProperty']
// BETTER (with default)
@coalesce(body('Get_Item')?['MissingProperty'], 'default_value')
Type Mismatch:
// BAD - concatenating string and number
@concat('Value: ', variables('NumberVariable'))
// GOOD
@concat('Value: ', string(variables('NumberVariable')))
Array Access:
// BAD - array might be empty
@first(body('Get_Items')?['value'])
// GOOD
@if(greater(length(body('Get_Items')?['value']), 0), first(body('Get_Items')?['value']), null)
Null Checks:
// BAD
@variables('NullableVar')
// GOOD
@if(empty(variables('NullableVar')), 'default', variables('NullableVar'))
Function Parenthesis Placement (NEW!):
// BAD - format parameter outside formatDateTime()
toLower(formatDateTime(outputs('Action')?['body/Date'], 'yyyy-MM'))
// ↑
// This closes formatDateTime BEFORE format string!
// ERROR MESSAGE:
// "The template language function 'toLower' expects one parameter:
// the string to convert to lower casing. The function was invoked with '2' parameters."
// GOOD - format parameter INSIDE formatDateTime()
toLower(formatDateTime(outputs('Action')?['body/Date'], 'yyyy-MM'))
// ↑
// Format string is now INSIDE formatDateTime()
Copy-Paste Fix for Filter Query:
// Original (broken):
@and(
contains(toLower(item()), 'cnesst'),
contains(
toLower(item()),
toLower(formatDateTime(outputs('Ajouter_une_ligne_à_un_tableau')?['body/Date d''événement CNESST']),'yyyy-MM'))
)
// Fixed expression (ready to copy-paste into Filter Query action):
@and(
contains(toLower(item()), 'cnesst'),
contains(
toLower(item()),
toLower(formatDateTime(outputs('Ajouter_une_ligne_à_un_tableau')?['body/Date d''événement CNESST'], 'yyyy-MM'))
)
)
Error Code/Type
│
├── Data Structure Mismatch (item() vs item()?['Prop']) → ❌ Use automation-debugger (NOT quick fix)
│
├── 401/403 → Re-authenticate connection + Add error handling
│
├── 429 → Set concurrency=1 + Add delays
│
├── 404 → Add existence check + Handle not found case
│
├── Timeout → Add limits to Do until OR check file sizes
│
├── Parse JSON → Add schema + Use safe navigation (?[])
│
└── Expression Errors
├── "Function expects N parameters but was invoked with M" → Check parenthesis placement
├── Missing/null properties → Add ?[] + coalesce()
├── Type mismatch → Add string(), int() conversions
└── Array access → Add length checks + first()/last()
Escalate to automation-debugger skill if:
Quick fixes provide:
IMPORTANT: For expression errors (Filter Query, Condition, Variable, Compose, etc.), ALWAYS provide:
Example output format:
Quick Fix: Function Parenthesis Placement Error
Pattern: formatDateTime() format parameter placed outside function call
Original (broken):
@and(contains(toLower(item()), 'text'), contains(toLower(item()), toLower(formatDateTime(outputs('Action')?['body/Date']),'yyyy-MM')))
Fixed expression (copy-paste ready):
@and(contains(toLower(item()), 'text'), contains(toLower(item()), toLower(formatDateTime(outputs('Action')?['body/Date'], 'yyyy-MM'))))
What changed: Moved 'yyyy-MM' format string INSIDE formatDateTime() parentheses
No need for full debug report structure - focus on speed and copy-paste ready fixes.
| Connector | API Limit | Recommended Delay |
|---|---|---|
| SharePoint | 600/60s | 1 second |
| OneDrive | 100/60s | 3 seconds |
| HTTP | 600/60s | 1 second |
| Apply to each | 50 concurrent | Set to 1 for APIs |
User: "I'm getting throttled in SharePoint, need quick fix"
Output:
Quick Fix: SharePoint Throttling (429)
Reduce concurrency and add delays:
[JSON snippet with concurrency + delay]
Apply these changes:
1. Set concurrency to 1
2. Add 1-second delay
3. Save and test
This limits you to 60 API calls/minute (well under 600/minute limit).
User: "Parse JSON failing with 'property doesn't exist'"
Output:
Quick Fix: Parse JSON Property Access
Use safe navigation (?[]) and defaults:
[JSON snippet with coalesce()]
Changes needed:
1. Replace ['property'] with ?['property']
2. Add coalesce() for defaults
3. Test with sample data
This handles null/missing properties gracefully.
User: "Getting error 'toLower expects one parameter but was invoked with 2 parameters' in my Filter Query"
Output:
Quick Fix: Function Parenthesis Placement Error
Pattern: formatDateTime() format parameter placed outside function call
Original (broken):
@and(
contains(toLower(item()), 'cnesst'),
contains(
toLower(item()),
toLower(formatDateTime(outputs('Ajouter_une_ligne_à_un_tableau')?['body/Date d''événement CNESST']),'yyyy-MM'))
)
Fixed expression (copy-paste ready):
@and(
contains(toLower(item()), 'cnesst'),
contains(
toLower(item()),
toLower(formatDateTime(outputs('Ajouter_une_ligne_à_un_tableau')?['body/Date d''événement CNESST'], 'yyyy-MM'))
)
)
What changed:
1. Moved 'yyyy-MM' format string INSIDE formatDateTime() parentheses (before the closing parenthesis)
2. The format parameter is now the second parameter of formatDateTime(), not a second parameter to toLower()
How to apply:
1. Open your Filter Query action in Power Automate
2. Delete the current expression
3. Paste the fixed expression above
4. Save and test with your data
This skill optimizes for speed on common patterns while maintaining quality through specialized skill delegation when needed.
Version: 1.2 Last Updated: 2025-10-31
Major Enhancements:
Key Additions:
toLower(formatDateTime(...), 'format') → error)New Triggers:
Output Philosophy:
Minor Improvements:
Key Additions:
item() vs item()?['Property'] indicatorPhilosophy:
This skill should be used when the user asks to "create an agent", "add an agent", "write a subagent", "agent frontmatter", "when to use description", "agent examples", "agent tools", "agent colors", "autonomous agent", or needs guidance on agent structure, system prompts, triggering conditions, or agent development best practices for Claude Code plugins.
This skill should be used when the user asks to "create a slash command", "add a command", "write a custom command", "define command arguments", "use command frontmatter", "organize commands", "create command with file references", "interactive command", "use AskUserQuestion in command", or needs guidance on slash command structure, YAML frontmatter fields, dynamic arguments, bash execution in commands, user interaction patterns, or command development best practices for Claude Code.
This skill should be used when the user asks to "create a hook", "add a PreToolUse/PostToolUse/Stop hook", "validate tool use", "implement prompt-based hooks", "use ${CLAUDE_PLUGIN_ROOT}", "set up event-driven automation", "block dangerous commands", or mentions hook events (PreToolUse, PostToolUse, Stop, SubagentStop, SessionStart, SessionEnd, UserPromptSubmit, PreCompact, Notification). Provides comprehensive guidance for creating and implementing Claude Code plugin hooks with focus on advanced prompt-based hooks API.