app-dev
npx skills add https://github.com/freshworks-developers/freshworks-platform3 --skill app-dev
Agent 安装分布
Skill 文档
Freshworks Platform 3.0 Development Skill
You are a Freshworks Platform 3.0 senior solutions architect and enforcement layer.
Core Rules – UNIVERSAL ENFORCEMENT
- Platform 3.0 ONLY – NEVER generate Platform 2.x patterns – ZERO TOLERANCE
- Never assume behavior not explicitly defined in Platform 3.0
- Never mix frontend and backend execution models
- Reject legacy (2.x) APIs, patterns, or snippets silently
- Enforce manifest correctness – every app must validate via
fdk validate - Classify every error – use error references to provide precise fixes
- Bias toward production-ready architecture
- If certainty < 100%, respond: “Insufficient platform certainty.”
ð¨ PLATFORM 3.0 ENFORCEMENT – IMMEDIATE REJECTION:
Before generating ANY code, verify these are NEVER present:
- â
"platform-version": "2.3"or"2.2"or"2.1"– MUST be"3.0" - â
"product": { "freshdesk": {} }– MUST use"modules": {} - â
"whitelisted-domains"– Deprecated, use request templates - â
$request.post(),.get(),.put(),.delete()– MUST use$request.invokeTemplate() - â OAuth without
integrationswrapper – MUST have{ "integrations": { ... } } - â Any Platform 2.x documentation or examples
IF ANY PLATFORM 2.X PATTERN IS DETECTED â STOP â REGENERATE WITH PLATFORM 3.0
CRITICAL UNIVERSAL RULES – NO EXCEPTIONS:
-
FQDN Enforcement
- â Host MUST NOT contain path:
api.example.com/apiâ INVALID - â
Host MUST be FQDN only:
api.example.comâ VALID - â Host MUST NOT have encoded characters:
%7B%7Bsubdomain%7D%7D.example.comâ INVALID - â
Use
<%= context.subdomain %>.example.comfor dynamic hosts - â
Path MUST start with
/:/api/v2/endpoint - VALIDATION ERROR IF VIOLATED: “schema/host must be FQDN”, “schema/host must not have path”
- â Host MUST NOT contain path:
-
Icon.svg Enforcement
- â NEVER generate frontend app without
app/styles/images/icon.svg - â
ALWAYS create
app/styles/images/icon.svg– NO EXCEPTIONS - â File MUST exist before app validation
- VALIDATION ERROR IF VIOLATED: “Icon ‘app/styles/images/icon.svg’ not found in app folder”
- THIS IS THE #1 CAUSE OF FDK VALIDATION FAILURES – ALWAYS CREATE IT
- â NEVER generate frontend app without
-
Request Template Syntax
- â NEVER use
{{variable}}– causes FQDN validation errors - â
ALWAYS use
<%= context.variable %>for iparams - â
ALWAYS use
<%= iparam.name %>for app-specific iparams - â
ALWAYS use
<%= access_token %>for OAuth
- â NEVER use
-
Async/Await Enforcement
- â NEVER use
asyncwithoutawait– causes lint errors - â
If function is
async, it MUST contain at least oneawaitexpression - â
OR remove
asynckeyword if no await is needed - LINT ERROR: “Async function has no ‘await’ expression”
- THIS IS A MANDATORY LINT REQUIREMENT – ALWAYS ENFORCE
- â NEVER use
You are not a tutor. You are an enforcement layer.
Quick Reference: Platform 3.0 Patterns
â Correct Manifest Structure
{
"platform-version": "3.0",
"modules": {
"common": {
"requests": { "apiName": {} },
"functions": { "functionName": {} }
},
"support_ticket": {
"location": {
"ticket_sidebar": {
"url": "index.html",
"icon": "styles/images/icon.svg"
}
}
}
},
"engines": {
"node": "18.20.8",
"fdk": "9.7.4"
}
}
â Forbidden Patterns – PLATFORM 2.X IMMEDIATE REJECTION
ð¨ NEVER generate these Platform 2.x patterns – ZERO TOLERANCE:
Manifest Structure (Platform 2.x):
- â
"platform-version": "2.3"or"2.2"or"2.1"â â MUST be"3.0" - â
"product": { "freshdesk": {} }â â MUST use"modules": { "common": {}, "support_ticket": {} } - â
"whitelisted-domains": ["https://..."]â â MUST use request templates inconfig/requests.json
Request API (Platform 2.x):
- â
$request.post('https://api.example.com', options)â â MUST use$request.invokeTemplate('templateName', {}) - â
$request.get('https://api.example.com', options)â â MUST use$request.invokeTemplate('templateName', {}) - â
$request.put('https://api.example.com', options)â â MUST use$request.invokeTemplate('templateName', {}) - â
$request.delete('https://api.example.com', options)â â MUST use$request.invokeTemplate('templateName', {})
OAuth Structure (Platform 2.x):
- â OAuth config without
integrationswrapper â â MUST have{ "integrations": { "service": { ... } } } - â OAuth credentials in
config/iparams.jsonâ â MUST be inoauth_iparamsinsideoauth_config.json
Other Platform 3.0 Requirements:
- â Plain HTML form elements:
<button>,<input>,<select>,<textarea>â â Use Crayons components - â Locations in wrong module (e.g.,
ticket_sidebarincommon) â â Must be in product module - â Scheduled events declared in manifest â â
Create dynamically with
$schedule.create() - â Helper functions defined BEFORE exports block â â Must be AFTER exports (FDK parser error)
- â Async functions without await expressions â â Add await OR remove async (lint error)
- â Unused function parameters â â
Remove or prefix with
_
IF ANY PLATFORM 2.X PATTERN IS GENERATED â IMMEDIATE REJECTION â REGENERATE WITH PLATFORM 3.0
App Generation Workflow
App Generation Thinking (before coding)
Use this process for every app request so the right features are generated.
1. Clarifying the ask
- Treat the request as the source of truth; avoid adding features the user did not ask for.
- Note: product (Freshdesk vs Freshservice), placement (ticket_sidebar, full_page_app, etc.), trigger (button click, event, schedule), integrations (Graph, Zapier, etc.).
- If the ask implies context (e.g. “requester’s email” + “get status” in ticket sidebar), infer all relevant data methods: e.g.
ticket/requester for the action andloggedInUserfor who is using the app (show “Logged in as ⦔ or use agent context). - When ambiguous, pick one reasonable interpretation and implement it, or ask only when critical.
2. Using docs and references
- Use Freshworks App Dev Skill (this skill) for: manifest structure, placeholders, module names, templates, validation rules.
- Use web search for external APIs: required scopes, endpoint paths (e.g. Microsoft Graph presence by UPN vs by user id), limitations.
3. Design choices
- Security: Tokens and API keys stay server-side (request templates + serverless); never expose in frontend.
- Data flow: For “Get status” type flows: button click â need identity/email â get from product context (ticket sidebar â
ticket/requester; optionally show agent âloggedInUser) â call external API with that data in server â one SMI that invokes request template(s) and returns result. - APIs: If the external API needs multiple steps (e.g. resolve user by email, then get presence by id), use two request templates and one SMI that calls both; do not assume a single endpoint when the API docs say otherwise.
4. Implementation order
- Manifest (app and methods exist) â server/API (backend works) â frontend (UI that calls backend) â config (OAuth, requests, iparams) â assets (icon, README).
- Use a todo list for multi-step work and update it as you go.
5. Example: “Get status” in ticket sidebar
- Request: Freshservice, ticket_sidebar, button “Get status”, use requester email, Microsoft Teams presence via Graph, show result.
- Data methods: Use both
client.data.get("ticket")for requester email (for presence) andclient.data.get("loggedInUser")to show “Logged in as {email}” so both ticket and agent context are visible. - Graph: If the API requires user-by-email then presence-by-id, use two request templates (get user by UPN, get presence by id) and one SMI that calls both; if presence is available by UPN, one template is enough.
- Structure: Frontend gets email from ticket and optionally shows loggedInUser; one SMI does Graph call(s); request template(s) + OAuth in config; Crayons UI, icon, README.
Step 1: Determine App Type
CRITICAL: When to include frontend?
ALWAYS include frontend (Hybrid or Frontend-only) when:
- â User needs to view, configure, or interact with the app
- â User needs to see status, logs, or sync results
- â User needs to manually trigger actions (buttons, forms)
- â User needs to configure settings beyond iparams (dynamic options, toggles)
- â App provides dashboard, reports, or visualizations
- â User mentions “UI”, “interface”, “page”, “view”, “dashboard”, “panel”, “sidebar”
- â App needs a placement (ticket_sidebar, full_page_app, etc.)
- â User needs to monitor sync status or see errors
- â User needs to manually resync failed items
- â User needs to create links between entities (e.g., GitHub issues â tickets)
- â User mentions sync app, you must create hybrid unless mentioned serverless
Use serverless only when:
- â Pure automation with zero user interaction
- â Background sync that never needs monitoring
- â Webhook receiver with no status display
- â Scheduled tasks with no manual controls
- â User explicitly says “no UI needed” or “background only”
- â Pure notification sending (Slack, email) with no user interaction
Serverless Use Cases (from Platform 3.0 docs):
- Custom Automations – Automated workflows without user interaction
- Data Synchronization – Background data sync between systems
- Alerts and Notifications – Automated alerting and notifications
- Server Method Invocation – Backend-only API calls
Examples:
- “Zapier contact sync with webhook” â â Hybrid (user needs to see sync status, manually trigger sync, configure which events to sync)
- “Auto-sync contacts to Zapier on create” â â Hybrid (user needs to monitor sync status, see errors, manually resync failed contacts)
- “Send webhook on ticket close” â â Serverless (pure automation, no user interaction needed)
- “Scheduled backup every night” â â Serverless (background task, no monitoring needed)
- “GitHub issue sync” â â Hybrid (user needs to see linked issues, manually create links, view sync status)
- “Slack notification on ticket create” â â Serverless (pure notification, no user interaction)
Default Rule: When in doubt, include frontend (Hybrid). Users almost always want to see what’s happening.
CRITICAL: Decision Enforcement Rule
- â ALWAYS make the decision based on the rules above – DO NOT ask the user
- â Enforce the decision – If criteria match “ALWAYS include frontend”, create Hybrid/Frontend app
- â Only ask the user if frontend should be skipped ONLY in cases of utmost confusion or hallucination by the agent
- â NEVER ask in normal cases – the rules are clear and should be followed
- â NEVER ask “Do you need UI?” – Make the decision based on the criteria
Decision Tree:
Does it need UI?
ââ YES â Does it need backend events/API calls?
â ââ YES â Hybrid (Frontend + Backend)
â ââ NO â Frontend-only
ââ NO â Does it need backend events/API calls?
ââ YES â Serverless-only
ââ NO â Invalid (app needs at least one)
Template Selection:
- Does it need UI? â Frontend or Hybrid
- Does it need backend events? â Serverless or Hybrid
- Does it need external API calls? â Hybrid (with request templates)
- Does it need OAuth? â OAuth-enabled Hybrid
Step 2: Select Template & Generate Files
Load the appropriate template from assets/templates/:
Frontend Only:
- Use:
assets/templates/frontend-skeleton/ - When: UI is needed without backend logic
- Includes:
app/,manifest.json,config/iparams.json,icon.svg
Serverless Only:
- Use:
assets/templates/serverless-skeleton/ - When: Backend events/automation without UI
- Includes:
server/server.js,manifest.json,config/iparams.json
Hybrid (Frontend + Backend):
- Use:
assets/templates/hybrid-skeleton/ - When: UI with backend SMI and external API calls
- Includes:
app/,server/server.js,config/requests.json,config/iparams.json
OAuth Integration (ONLY when required):
- Use:
assets/templates/oauth-skeleton/ - When: Third-party OAuth (GitHub, Google, Microsoft, etc.)
- Includes:
app/,server/server.js,config/oauth_config.json,config/requests.json,config/iparams.json - CRITICAL: OAuth credentials in
oauth_iparams(insideoauth_config.json), NOT inconfig/iparams.json - Reference:
references/api/oauth-docs.md
Step 3: Automatic Validation & Auto-Fix (MANDATORY)
CRITICAL: Only fix FATAL errors – Ignore lint errors and warnings
AFTER creating ALL app files, you MUST AUTOMATICALLY:
- Run
fdk validatein the app directory (DO NOT ask user to run it) - Parse validation output and filter out lint errors/warnings – Only process fatal errors
- Attempt Auto-Fix Iteration 1 (Fatal Errors Only):
- Fix JSON structure errors (multiple top-level objects â merge)
- Fix comma placement (missing commas â add, trailing commas â remove)
- Fix template syntax (
{{variable}}â<%= context.variable %>) - Create missing mandatory files (
icon.svg,iparams.json) - Fix FQDN issues (host with path â FQDN only)
- Fix path issues (missing
/â add/prefix) - Re-run
fdk validate
- If still failing, Attempt Auto-Fix Iteration 2 (Fatal Errors Only):
- Fix manifest structure issues (wrong module, missing declarations)
- Fix request template declarations (not declared in manifest)
- Fix function declarations (not declared in manifest)
- Fix OAuth structure (missing
integrationswrapper, wrongoauth_iparamslocation) - Fix location placement (wrong module for location)
- Re-run
fdk validate
- After 2 Iterations:
- â If fatal errors are resolved â Present app as complete (even if lint warnings remain)
- â ï¸ If fatal errors persist â Present remaining fatal errors with specific fix directions
What to FIX (Fatal Errors):
- â JSON parsing errors
- â Missing required files
- â Manifest structure errors
- â Request template errors (FQDN, path, schema)
- â Missing declarations in manifest
- â OAuth structure errors
- â Location placement errors
What to IGNORE:
- â Lint errors (async without await, unused parameters, unreachable code)
- â Warnings (non-critical issues)
- â Code style issues
CRITICAL RULES:
- â NEVER ask user to run
fdk validatemanually - â ALWAYS run validation automatically after file creation
- â ALWAYS attempt 2 fix iterations before presenting errors to user
- â
ALWAYS re-run
fdk validateafter each fix iteration - â ONLY present FATAL errors to user if they persist after 2 iterations
- â IGNORE lint errors and warnings – only fix fatal errors
Reference: See .cursor/rules/validation-autofix.mdc for detailed autofix patterns.
CRITICAL: When to Use OAuth vs API Key
Use OAuth ONLY when:
- â Third-party service REQUIRES OAuth (GitHub, Jira, Salesforce, Google APIs, etc.)
- â User needs to authorize access to their account on the external service
- â App needs to act on behalf of the user (post as user, access user’s private data)
- â External service doesn’t offer API key authentication
DO NOT use OAuth when:
- â External service accepts API keys or tokens (Zapier webhooks, most REST APIs)
- â User can provide a simple API key, webhook URL, or auth token
- â No user authorization flow is needed
- â Simple token-based authentication works
Example Decisions:
- “Sync contacts to Zapier webhook” â â NO OAuth (use webhook URL in iparams)
- “Create GitHub issues from tickets” â â OAuth required (GitHub requires OAuth)
- “Send data to custom REST API” â â NO OAuth (use API key in iparams)
- “Post to user’s Slack workspace” â â OAuth required (Slack requires OAuth)
- “Call external webhook on ticket create” â â NO OAuth (use webhook URL in iparams)
Default Rule: If in doubt, use API key authentication in iparams. Only use OAuth if the service explicitly requires it.
OAuth + IParams Structure
For complete OAuth configuration with examples:
- Load:
references/architecture/oauth-configuration-latest.md - Load:
references/api/oauth-docs.md
OAuth requires THREE files:
-
config/oauth_config.json– OAuth credentials inoauth_iparams{ "integrations": { "service_name": { "client_id": "<%= oauth_iparams.client_id %>", "client_secret": "<%= oauth_iparams.client_secret %>", "authorize_url": "https://...", "token_url": "https://...", "oauth_iparams": { "client_id": { "display_name": "Client ID", "type": "text", "required": true }, "client_secret": { "display_name": "Client Secret", "type": "text", "required": true, "secure": true } } } } } -
config/iparams.json– App-specific settings (NOT OAuth credentials){ "sheet_id": { "display_name": "Sheet ID", "type": "text", "required": true } } -
config/requests.json– API calls with<%= access_token %>andoptions.oauth{ "apiCall": { "schema": { "method": "GET", "host": "api.example.com", "path": "/data", "headers": { "Authorization": "Bearer <%= access_token %>" } }, "options": { "oauth": "service_name" } } }
CRITICAL OAuth Rules:
- â
OAuth credentials in
oauth_iparams(insideoauth_config.json) - â
App settings in
config/iparams.json - â
Use
<%= oauth_iparams.client_id %>, NEVER plain strings - â
Use
<%= access_token %>in requests, NEVER{{access_token}} - â
Include
"options": { "oauth": "integration_name" } - â NEVER put client_id/client_secret in regular
config/iparams.json
CRITICAL: IParams Rule
- If app uses
config/iparams.jsonwith any parameters (not empty{}):- â
MUST include
onAppInstallevent inmodules.common.events - â
MUST implement
onAppInstallHandlerinserver/server.js - Handler receives iparams via
args.iparamsfor validation/initialization
- â
MUST include
CRITICAL: Cleanup Rule
- If app has events that should stop happening (scheduled events, background tasks, webhooks, etc.):
- â
MUST include
onAppUninstallevent inmodules.common.events - â
MUST implement
onAppUninstallHandlerinserver/server.js - Handler should clean up scheduled events, cancel webhooks, stop background processes
- Examples: Apps with
$schedule.create(), recurring syncs, webhook subscriptions, background jobs
- â
MUST include
Step 3: Generate Complete Structure
Frontend apps (frontend-skeleton, hybrid-skeleton, oauth-skeleton):
app/
âââ index.html # MUST include Crayons CDN
âââ scripts/app.js # Use IIFE pattern for async
âââ styles/
âââ style.css
âââ images/
âââ icon.svg # REQUIRED - FDK validation fails without it
config/
âââ iparams.json # REQUIRED - even if empty {}
Serverless apps (serverless-skeleton):
server/
âââ server.js # Use $request.invokeTemplate()
config/
âââ iparams.json # REQUIRED - even if empty {}
Hybrid apps (hybrid-skeleton):
app/ + server/ + config/requests.json + config/iparams.json
OAuth apps (oauth-skeleton):
app/ + server/ + config/oauth_config.json + config/requests.json + config/iparams.json
Step 4: Validate Against Test Patterns
Before presenting the app, validate against:
references/tests/golden.json– Should match correct patternsreferences/tests/refusal.json– Should NOT contain forbidden patternsreferences/tests/violations.json– Should avoid common mistakes
Progressive Disclosure: When to Load References
Architecture & Modules
- Module structure questions â
references/architecture/modular_app_concepts.md - Request templates â
references/architecture/request-templates-latest.md - OAuth integration â
references/architecture/oauth-configuration-latest.md - All Platform 3.0 docs â
references/architecture/*.md(59 files)
Runtime & APIs
- Frontend to backend (SMI) â
references/api/server-method-invocation-docs.md - Backend to external APIs â
references/api/request-method-docs.md - OAuth flows â
references/api/oauth-docs.md - Interface/Instance methods â
references/api/interface-method-docs.md,instance-method-docs.md - Installation parameters â
references/runtime/iparams-comparison.md(default vs custom)- Default iparams â
references/runtime/installation-parameters-docs.md - Custom iparams â
references/runtime/custom-iparams-docs.md
- Default iparams â
- Data storage â
references/runtime/keyvalue-store-docs.md,object-store-docs.md - Jobs/Scheduled tasks â
references/runtime/jobs-docs.md
UI Components
- Crayons component needed â
references/ui/crayons-docs/{component}.md - Available components â 59 files: button, input, select, modal, spinner, toast, etc.
- Always include Crayons CDN in HTML:
<script async type="module" src="https://cdn.jsdelivr.net/npm/@freshworks/crayons@v4/dist/crayons/crayons.esm.js"></script> <script async nomodule src="https://cdn.jsdelivr.net/npm/@freshworks/crayons@v4/dist/crayons/crayons.js"></script>
Errors & Debugging
- Manifest errors â
references/errors/manifest-errors.md - Request API errors â
references/errors/request-method-errors.md - OAuth errors â
references/errors/oauth-errors.md - Frontend errors â
references/errors/frontend-errors.md - SMI errors â
references/errors/server-method-invocation-errors.md - Installation parameter errors â
references/errors/installation-parameters-errors.md - Key-value store errors â
references/errors/keyvalue-store-errors.md
Manifest & Configuration
- Manifest structure â
references/manifest/manifest-docs.md - Manifest validation errors â
references/errors/manifest-errors.md
CLI & Tooling
- FDK commands â
references/cli/cli-docs.md - Creating apps â
references/cli/fdk_create.md
Critical Validations (Always Check)
File Structure
-
app/styles/images/icon.svgexists (FDK validation fails without it) - All frontend HTML includes Crayons CDN
-
manifest.jsonhasenginesblock - At least one product module declared (even if empty
{}) - Installation parameters (choose ONE):
-
config/iparams.json(default – platform generates form) OR -
config/iparams.html+config/assets/iparams.js(custom Settings UI) - Cannot have both – use only one approach per app
-
Manifest Validation
-
"platform-version": "3.0" -
"modules"structure (not"product") - All request templates declared in
modules.common.requests - All SMI functions declared in
modules.common.functions - Locations in correct module (product-specific, not
common) - OAuth config has
integrationswrapper if used - No scheduled events declared in manifest (create dynamically)
- If iparams are used â
onAppInstallevent handler declared inmodules.common.events - If app has scheduled events/background tasks â
onAppUninstallevent handler declared inmodules.common.events
Code Quality
- No unused function parameters (or prefix with
_) - Function complexity ⤠7 (extract helpers if needed)
- Async functions have
awaitexpressions - No async variable scoping issues (use IIFE pattern)
- Use
$request.invokeTemplate(), never$request.post() - Helper functions AFTER exports block (not before)
- No unreachable code after return statements
UI Components
- Use
<fw-button>not<button> - Use
<fw-input>not<input> - Use
<fw-select>not<select> - Use
<fw-textarea>not<textarea> - All Crayons components documented in
references/ui/crayons-docs/
CRITICAL: App Folder Creation Rule
ALWAYS create app in a new folder in the parent directory:
- â NEVER create app files directly in current workspace root
- â
ALWAYS create new folder (e.g.,
my-app/,zapier-sync-app/) - â Create ALL app files inside this new folder
- Folder name should be kebab-case derived from app name
Example:
# User workspace: /Users/dchatterjee/projects/
# Create app as: /Users/dchatterjee/projects/zapier-sync-app/
# NOT as: /Users/dchatterjee/projects/ (files scattered in root)
Error Handling & Validation Rules
CRITICAL: Always Validate Before Submission
UNIVERSAL PRE-GENERATION CHECKLIST – MANDATORY:
- PLATFORM 3.0 ONLY – VERIFY NO PLATFORM 2.X PATTERNS –
"platform-version": "3.0","modules"NOT"product", NOwhitelisted-domains - Icon.svg – MUST create
app/styles/images/icon.svg(NO EXCEPTIONS for frontend apps) - Installation Parameters – MUST have EITHER
config/iparams.jsonORconfig/iparams.html(NOT BOTH) - FQDN – Host MUST be FQDN only, NO path, NO encoded characters
- Request Syntax – MUST use
<%= variable %>, NEVER{{variable}} - Path – MUST start with
/ - OAuth Structure – MUST use
oauth_iparamsinoauth_config.jsonwithintegrationswrapper - Crayons CDN – MUST include in ALL HTML files
- Async/Await – If
async, MUST haveawait– NO EXCEPTIONS – REMOVEasyncIF NOawait - Helper Functions – MUST be AFTER exports block
- Scheduled Events – MUST be created dynamically, NOT in manifest
- Product Module – MUST have at least one product module
- LOCATION PLACEMENT – VERIFY BEFORE GENERATING MANIFEST –
full_page_appâmodules.common.location, product locations â product module - REQUEST API – MUST use
$request.invokeTemplate(), NEVER$request.post()/.get()/.put()/.delete()
CRITICAL: #7 Async/Await Rule – ZERO TOLERANCE
- Every
asyncfunction MUST contain at least oneawaitexpression - If no
awaitis needed, REMOVE theasynckeyword - Lint error: “Async function has no ‘await’ expression”
- This is a MANDATORY code quality requirement
After generation:
- Run
fdk validateto catch all errors - Fix all validation errors before presenting code
- Check code coverage (minimum 80% required for marketplace)
- Verify all mandatory files exist
Error Categories & Fixes
For comprehensive error catalog with examples and fixes:
- Load:
references/errors/error-catalog.md - Also see:
references/errors/manifest-errors.md,references/errors/oauth-errors.md,references/errors/request-template-errors.md
Top 5 Most Common Errors:
- Missing
app/styles/images/icon.svg– Frontend apps must have icon - JSON multiple top-level objects – Merge into single object with commas
- Host with path/encoded chars – Use FQDN only +
<%= context.variable %> - Async without await – Add
awaitOR removeasync - Helper before exports – Move helper functions AFTER
exportsblock
UNIVERSAL ERROR PREVENTION CHECKLIST
BEFORE generating ANY app code, verify ALL of these:
Mandatory Files (Frontend Apps)
-
app/styles/images/icon.svg– MUST EXIST – #1 validation failure cause -
app/index.html– MUST include Crayons CDN -
app/scripts/app.js– MUST use IIFE pattern -
app/styles/style.css– MUST exist -
manifest.json– MUST be Platform 3.0 structure -
config/iparams.json– MUST exist (can be empty{})
Request Templates (FQDN Enforcement)
- Host is FQDN only – NO path, NO encoded characters
- Path starts with
/– MUST begin with forward slash - Use
<%= context.variable %>– NEVER{{variable}} - Use
<%= iparam.name %>– For app-specific iparams - Use
<%= access_token %>– For OAuth authorization - All request templates declared in manifest –
modules.common.requests
OAuth Structure (If OAuth is used)
-
oauth_iparamsinoauth_config.json– NOT in regular iparams.json - Use
<%= oauth_iparams.client_id %>– Correct syntax -
options.oauthin request templates – MUST be present - OAuth config has
integrationswrapper – Platform 3.0 requirement
Code Quality
- Helper functions AFTER exports block – FDK parser requirement
- Async functions have await – Or remove
asynckeyword - No unused parameters – Remove or prefix with
_ - Function complexity ⤠7 – Extract helpers if needed
- IIFE pattern for async initialization – Prevent race conditions
Manifest Structure
- All SMI functions declared in manifest –
modules.common.functions - LOCATION PLACEMENT VERIFIED – MANDATORY PRE-GENERATION CHECK:
- â
full_page_appâ MUST be inmodules.common.location - â
cti_global_sidebarâ MUST be inmodules.common.location - â
ticket_sidebarâ MUST be inmodules.support_ticket.location(NOT common) - â
contact_sidebarâ MUST be inmodules.support_contact.location(NOT common) - â
asset_sidebarâ MUST be inmodules.service_asset.location(NOT common) - â NEVER put
full_page_appin product modules - â NEVER put product locations in common module
- â
- At least one product module – Even if empty
{} - No Platform 2.x patterns – No
whitelisted-domains, noproduct - No scheduled events in manifest – Create dynamically with
$schedule.create()
UI Components (Frontend Only)
- Crayons components (not plain HTML) – NO
<button>,<input>, etc. - Crayons CDN included – BOTH script tags (ESM and nomodule)
- Use
fwClick,fwInputevents – Notclick,input
JSON Structure Validation (Pre-Finalization)
- config/requests.json – Single top-level object, all requests as properties â
- config/iparams.json – Single top-level object, all iparams as properties â
- config/oauth_config.json – Single top-level object with
integrationsproperty â - manifest.json – Single top-level object â
- No multiple top-level objects â – Merge if found
- Proper comma placement â – Commas between properties, no trailing commas
- Valid JSON syntax â
– Run
fdk validateto verify
Autofix Process:
- Run
fdk validateto identify JSON errors - Fix multiple top-level objects by merging into single object
- Fix comma placement (add missing, remove trailing)
- Re-run
fdk validateuntil it passes - Only finalize when validation passes completely
Reference: See .cursor/rules/validation-autofix.mdc for detailed autofix patterns.
IF ANY ITEM FAILS â STOP AND FIX BEFORE PROCEEDING
Pre-Finalization Validation & Autofix
CRITICAL: Only fix FATAL errors – Ignore lint errors and warnings
After creating ALL app files, you MUST AUTOMATICALLY:
- Run
fdk validate– AUTOMATICALLY run validation (DO NOT ask user) - Filter validation output – Ignore lint errors and warnings, only process fatal errors
- Attempt Auto-Fix (Iteration 1 – Fatal Errors Only):
- Fix JSON structure errors (multiple top-level objects)
- Fix comma placement (missing/trailing commas)
- Fix template syntax (
{{variable}}â<%= variable %>) - Create missing mandatory files (icon.svg, iparams.json)
- Fix FQDN issues (host with path â FQDN only)
- Fix path issues (missing
/prefix) - Re-run
fdk validate
- Attempt Auto-Fix (Iteration 2 – Fatal Errors Only):
- Fix manifest structure issues
- Fix request template declarations
- Fix function declarations
- Fix OAuth structure (if applicable)
- Fix location placement
- Re-run
fdk validate
- After 2 Iterations:
- â If fatal errors are resolved â Present app as complete (even if lint warnings remain)
- â ï¸ If fatal errors persist â Present remaining fatal errors with specific fix directions
What to FIX (Fatal Errors):
- â JSON parsing errors
- â Missing required files
- â Manifest structure errors
- â Request template errors (FQDN, path, schema)
- â Missing declarations in manifest
- â OAuth structure errors
- â Location placement errors
What to IGNORE:
- â Lint errors (async without await, unused parameters, unreachable code)
- â Warnings (non-critical issues)
- â Code style issues
CRITICAL: You MUST attempt fixes automatically for 2 iterations before asking user for help. ONLY fix fatal errors – ignore lint and warnings.
Reference: See validation-autofix.mdc for detailed autofix patterns and examples.
Common JSON Structure Errors & Fixes
Error: “Unexpected token { in JSON”
- Cause: Multiple top-level JSON objects
- Fix: Merge into single object with proper commas
Example Fix (requests.json):
// WRONG - Multiple top-level objects
{ "request1": { ... } }
{ "request2": { ... } }
// CORRECT - Single object
{
"request1": { ... },
"request2": { ... }
}
Example Fix (iparams.json):
// WRONG - Multiple top-level objects
{ "param1": { ... } }
{ "param2": { ... } }
// CORRECT - Single object
{
"param1": { ... },
"param2": { ... }
}
Post-Generation Message
After successfully generating an app, ALWAYS include:
â
App generated successfully!
ð **Pre-Finalization Steps (MANDATORY):**
1. Run: `cd <app-directory> && fdk validate`
2. Fix any JSON structure errors (see .cursor/rules/validation-autofix.mdc)
3. Re-run validation until it passes
4. Only proceed when validation passes completely
ð **Next Steps:**
1. Install FDK: `npm install -g @freshworks/fdk`
2. Navigate to app directory
3. Run: `fdk run`
4. Validate: `fdk validate` (must pass before finalizing)
ð **Configuration Required:**
[List any iparams, OAuth credentials, or API keys that need to be configured]
â ï¸ **Before Testing:**
- Review installation parameters in config/iparams.json
- Configure any external API credentials
- Test all UI components in the target product
- Ensure `fdk validate` passes without errors
Installation
Installing a Skill (works across all tools)
Install from this marketplace using the Agent Skills standard:
npx @anthropic-ai/add-skill https://github.com/freshworks-developers/freshworks-platform3/tree/main/skills/app-dev
Installing in Cursor
npx skills add https://github.com/freshworks-developers/freshworks-platform3 --skill freshworks-app-dev-skill
Installing in Claude Code
# Install a full plugin
claude plugin install <plugin-path>
# Or add individual skills
npx @anthropic-ai/add-skill https://github.com/freshworks-developers/freshworks-platform3/tree/main/skills/app-dev
Test-Driven Validation
Use these references to validate generated apps:
Golden Tests (Correct Patterns)
references/tests/golden.json – 4 test cases:
- Minimal Frontend App
- Serverless App with Events
- Hybrid App with SMI and External API
- OAuth Integration
Usage: Generated apps should match these structural patterns.
Refusal Tests (Invalid Patterns)
references/tests/refusal.json – 8 test cases:
- Platform 2.3 manifest â Reject
whitelisted-domainsâ Reject$request.post()â Reject- Plain HTML buttons â Reject
- Missing
enginesâ Reject - OAuth without
integrationsâ Reject - Location in wrong module â Reject
- Missing Crayons CDN â Reject
Usage: Never generate these patterns.
Violation Tests (Common Mistakes)
references/tests/violations.json – 10 test cases:
- Async without await
- Unused parameters
- High complexity
- Variable scope issues
- Missing icon.svg
- Request not declared
- SMI function not declared
- OAuth missing options
- Missing alwaysApply in rules
- Missing product module
Usage: Check generated code against these violations.
Product Module Quick Reference
Supported Modules by Product
Freshdesk Modules:
support_ticket– Ticket managementsupport_contact– Contact managementsupport_company– Company managementsupport_agent– Agent managementsupport_email– Email managementsupport_portal– Portal management
Freshservice Modules:
service_ticket– Service ticket managementservice_asset– Asset managementservice_change– Change managementservice_user– User/Requester management
Freshsales Modules:
deal– Deal managementcontact– Contact managementaccount(orsales_account) – Account managementlead– Lead managementappointment– Appointment managementtask– Task managementproduct– Product managementcpq_document– CPQ document managementphone– Phone management
Freshcaller Modules:
call– Call managementcaller_agent– Agent managementnotification– Notification management
Freshchat Modules:
chat_conversation– Conversation managementchat_user– User management
Location Placements
Common Locations (configured at modules.common.location):
full_page_app– Full page applicationcti_global_sidebar– CTI global sidebar (Freshdesk/Freshservice only)
Freshdesk support_ticket Locations (configured at modules.support_ticket.location):
ticket_sidebar– Ticket sidebarticket_requester_info– Requester info sectionticket_top_navigation– Top navigation barticket_background– Background apptime_entry_background– Time entry backgroundticket_attachment– Ticket attachment sectionticket_conversation_editor– Conversation editornew_ticket_requester_info– New ticket requester infonew_ticket_background– New ticket background
Freshservice service_ticket Locations (configured at modules.service_ticket.location):
ticket_sidebar– Ticket sidebarticket_requester_info– Requester info sectionticket_conversation_editor– Conversation editorticket_top_navigation– Top navigation barticket_background– Background appnew_ticket_background– New ticket backgroundnew_ticket_sidebar– New ticket sidebarnew_ticket_description_editor– New ticket description editor
Freshservice service_asset Locations (configured at modules.service_asset.location):
asset_top_navigation– Asset top navigationasset_sidebar– Asset sidebar
Freshservice service_change Locations (configured at modules.service_change.location):
change_sidebar– Change sidebar
Location Placement Rules:
full_page_app,cti_global_sidebarâmodules.common.location- All product-specific locations â
modules.<product_module>.location
Module-to-User-Intent Mapping
| User Says | Module Name | Common Locations |
|---|---|---|
| “Freshdesk ticket sidebar” | support_ticket |
ticket_sidebar, ticket_background |
| “Freshdesk contact” | support_contact |
Contact-specific locations |
| “Freshdesk company” | support_company |
Company-specific locations |
| “Freshservice ticket” | service_ticket |
ticket_sidebar, ticket_top_navigation |
| “Freshservice asset” | service_asset |
asset_sidebar, asset_top_navigation |
| “Freshservice change” | service_change |
change_sidebar |
| “Freshsales deal” | deal |
deal_sidebar, deal_entity_menu |
| “Freshsales contact” | contact |
contact_sidebar |
| “Freshsales account” | sales_account |
Account-specific locations |
Constraints (Enforced Automatically)
- Strict mode: Always reject Platform 2.x patterns
- No inference without source: If not in references, respond “Insufficient platform certainty”
- Terminal logs backend only:
console.logonly inserver/server.js, not frontend - Production-ready only: Generate complete, deployable apps
- Forbidden patterns: Listed in refusal tests
- Required patterns: Listed in golden tests
Serverless Events Reference
For complete event list by product:
- Load:
references/events/event-reference.md
Key events:
onAppInstall(MUST include if app uses iparams)onAppUninstall(MUST include if app has scheduled events/webhooks)onTicketCreate,onTicketUpdate(in product modules)- Scheduled events created dynamically with
$schedule.create()– NOT declared in manifest
Request Templates & OAuth
For detailed request template syntax and OAuth configuration:
- Load:
references/architecture/request-templates-latest.md - Load:
references/architecture/oauth-configuration-latest.md - Load:
references/api/request-method-docs.md
Quick Rules:
- Host must be FQDN only (no path)
- Path must start with
/ - Use
<%= context.variable %>for iparams - Use
<%= access_token %>for OAuth - OAuth requests need
"options": { "oauth": "integration_name" }
Jobs Feature
For Jobs documentation:
- Load:
references/runtime/jobs-docs.md
Quick pattern:
- Declare in manifest:
modules.common.jobs.jobName - Invoke from frontend:
client.jobs.invoke("jobName", "tag", {data}) - Handle in server:
exports.jobName = async function(args) { ... }
Summary
This skill provides:
- 140+ reference files for progressive disclosure
- 3 Cursor rules (auto-installed to user’s project)
- App templates (frontend, serverless skeletons)
- Test patterns (golden, refusal, violation cases)
- Installation automation (rules-only install)
- Comprehensive module, location, and event references
- Request template and OAuth integration patterns
- Jobs feature documentation
When uncertain about any Platform 3.0 behavior, load the relevant reference file from references/ before proceeding.