AI prompts and rules library for Agentforce Vibes development, content creation, and workflow automation.
This repository curates Salesforce-focused prompts, system rules, and executable skills from the wider developer community to accelerate Agentforce Vibes agentic workflows. Collections are organized by development disciplineβApex, LWC, flows, deployments, testing, investigation, spec-driven delivery, and moreβso contributors can share reusable prompts, scaffolds, guardrails, and workflows that other teams can adapt and extend.
afv-library/
βββ prompts/ # Single-file instructions for straightforward tasks
β βββ apex-development/
β βββ lwc-development/
β βββ flow-development/
β βββ getting-started/
β βββ ...
βββ rules/ # Single-file guardrails and standards
β βββ apex-development/
β βββ lwc-development/
β βββ spec-driven-dev/
β βββ ...
βββ skills/ # Directory-based executable workflows
β βββ apex-development/
β β βββ trigger-refactor-pipeline/
β β βββ SKILL.md
β β βββ scripts/
β β βββ references/
β β βββ assets/
β βββ metadata-deployments/
β βββ testing-automation/
β βββ ...
βββ samples/ # Synced sample apps (e.g. from npm)
β βββ webapp-template-app-react-sample-b2e-experimental/
βββ README.md
- Install the Agentforce Vibes VS Code extension (preview or later).
- Open the command palette and run
Agentforce Vibes: Add Library. - Provide the Git URL (or local path) to this repository; the extension indexes every folder and
.mdfile underprompts/,rules/, andskills/. - The extension displays prompts, rules, and skills organized by category. Select any item to preview the metadata and copy instructions into the editor.
- Use the refresh command whenever new prompts, rules, or skills are added.
Browse the repository and copy/paste any prompt, rule, or skill directly into Agentforce Vibes or your preferred AI tool.
The samples/ folder contains synced sample apps. For example, samples/webapp-template-app-react-sample-b2e-experimental/ is kept in sync with the npm package @salesforce/webapp-template-app-react-sample-b2e-experimental (nightly and on manual trigger via GitHub Actions). To run the same sync locally from the repo root:
npm install
npm run sync-react-b2e-sampleThe GitHub Action runs these same commands and opens a PR only when the npm package version has changed. See samples/README.md for details.
You can register additional repos with the extension as long as they mirror this structure:
- Root folders named
prompts/,rules/, andskills/, each containing category subfolders (e.g.,prompts/apex-development/). - Each prompt or rule stored in its own Markdown file with YAML frontmatter (
name,description,tags, optional setup metadata). - Each skill stored in its own directory containing a
SKILL.mdfile with required frontmatter, plus optionalscripts/,references/, andassets/subdirectories. - Category folders may include a
README.mddescribing their focus; empty folders are allowed for future content.
When you add a new library:
- Structure your repository with the same folder layout shown in
## ποΈ Structure:prompts/folder with category subfolders containing.mdfilesrules/folder with category subfolders containing.mdfilesskills/folder with category subfolders, each containing skill directories withSKILL.md
- Follow format requirements:
- Prompts and rules: YAML frontmatter (
name,description,tags) + markdown body - Skills: Directory with
SKILL.md+ optionalscripts/,references/,assets/subdirectories
- Prompts and rules: YAML frontmatter (
- Ensure script executability for skills: Mark Python/Bash scripts as executable (
chmod +x) - Register the repository with
Agentforce Vibes: Add Libraryin VS Code - Refresh the extension to index and display the new content
Every prompt begins with YAML frontmatter that surfaces key metadata to contributors and tooling:
---
name: Concise Prompt Title
description: One-sentence summary of the outcome you want
tags: category, use-case, tooling
requires_deploy: true # optional β include when pre-work is required
setup_summary: Deploy baseline trigger before refactor # optional helper text
---name,description, andtagsare required.- Use lowercase, comma-separated tags drawn from the category and focus area (e.g.,
apex, refactor, testing). - Add
requires_deploy(and an optionalsetup_summary) when the prompt depends on seed metadata or data.
After the frontmatter, organize the body with clear sections. A common pattern is:
## Setupβ only when pre-work, sample metadata, or environment configuration is needed.## Contextβ summarize the scenario, constraints, personas, or assets involved.## Instructionsβ detail the tasks in numbered steps, calling out decision points or checkpoints.## Testing & Reportingβ define verification steps, coverage expectations, or deliverables.## Follow-upsβ optional space for stretch goals, review questions, or iteration loops.
File: prompts/apex-development/trigger-refactoring.md
---
name: Trigger Refactor Helper
description: Refactor the Opportunity trigger into a handler pattern with tests
tags: apex, refactor, testing
requires_deploy: true
setup_summary: Deploy baseline trigger to target org before running instructions
---
## Setup
1. Deploy the baseline trigger shown below to your default or scratch org.
2. Confirm the trigger compiles successfully before continuing.
```apex
// ... baseline trigger omitted for brevity ...Refactor OpportunityTrigger into a handler class (or classes) that handles the same behavior using bulk-safe patterns. Ensure the trigger itself delegates and remains behaviorally identical.
- Create unit tests covering positive and negative paths for each handler method.
- Include a bulk test that updates 50
Opportunityrecords where only half qualify for theafter updatelogic. - Deploy the refactored code and run the tests, then report coverage and key observations.
## π οΈ Agent Skills Format
Agent Skills extend prompts and rules by bundling executable workflows, scripts, and reference materials into self-contained directories. Skills follow the open [Agent Skills specification](https://agentskills.io/) and are portable across many agent tools (Cursor, Claude Code, VS Code extensions, etc.).
### Directory Structure
Each skill is a folder containing:
- `SKILL.md` (required) - instructions + YAML frontmatter
- `scripts/` (optional) - executable Python/Bash/JS
- `references/` (optional) - additional documentation
- `assets/` (optional) - templates, schemas, lookup data
### Required Frontmatter
```yaml
---
name: skill-name-here # lowercase, hyphens, matches folder name
description: What this skill does and when to use it (1-1024 chars)
license: Apache-2.0 # optional
compatibility: Requires... # optional
metadata: # optional
author: your-org
version: "1.0"
allowed-tools: Bash Read Write # optional, space-delimited
---
The name must:
- Be 1-64 characters
- Use only lowercase letters, numbers, and hyphens
- Match the parent directory name
- Not start or end with hyphens
The description should explain both what the skill does and when to use it, including keywords that help agents identify relevant tasks.
Skills are designed for efficient context use:
- Discovery - agents load only name + description at startup
- Activation - full SKILL.md loaded when needed
- Execution - scripts/references loaded on-demand
Keep your main SKILL.md under 500 lines and move detailed reference material to separate files.
File: skills/apex-development/trigger-refactor-pipeline/SKILL.md
---
name: trigger-refactor-pipeline
description: Refactor Salesforce triggers into handler patterns with automated test generation and deployment. Use when modernizing legacy triggers with DML/SOQL in loops.
license: Apache-2.0
compatibility: Requires Salesforce CLI, Python 3.9+, jq
metadata:
author: afv-library
version: "1.0"
---
## When to Use This Skill
Use when you need to modernize legacy triggers with DML/SOQL in loops or inconsistent patterns.
## Step 1: Analyze Trigger
Run `scripts/analyze_trigger.py <TriggerName>` to identify anti-patterns:
- DML operations inside loops
- SOQL queries inside loops
- Missing bulkification
The script outputs a report showing:
- Line numbers with issues
- Recommended refactoring approach
- Complexity score
## Step 2: Generate Handler
See [handler patterns reference](references/handler_patterns.md) for templates that match your trigger context:
- Before insert/update patterns
- After insert/update/delete patterns
- Bulk collection strategies
Copy the appropriate template from `assets/` and customize.
## Step 3: Create Tests
Use `assets/test_template.apex` as a scaffold. Ensure coverage includes:
- Single record operations
- Bulk operations (200+ records)
- Mixed scenarios
- Negative cases
## Step 4: Deploy and Validate
Deploy using Salesforce CLI and run all tests. Verify:
- All tests pass with 100% coverage
- No new governor limit issues
- Behavior matches original triggerSkills can be validated using the skills-ref tool:
skills-ref validate ./skills/apex-development/trigger-refactor-pipelineThis checks that your SKILL.md frontmatter is valid and follows all naming conventions.
These starter categories reflect the current repository layout. Contributors are welcome to propose new ones or reorganize as long as the structure stays consistent for the VS Code extension.
| Format | Use When | Example |
|---|---|---|
| Prompt | Single-shot instruction for a straightforward task | "Create a validation rule on Account that prevents blank NumberOfEmployees" |
| Rule | Ongoing guardrail or standard to enforce | "Apex triggers must delegate to handler classes with bulk-safe patterns" |
| Skill | Multi-step workflow requiring scripts, templates, or reference docs | "Refactor trigger β analyze anti-patterns β generate handler β create tests β deploy" |
| Category | Purpose | Example Topics |
|---|---|---|
| apex-development | Build and optimize Apex codebases | Trigger frameworks, async patterns, governor limit tuning |
| lwc-development | Craft Lightning Web Components | Component architecture, reactive data, UI patterns |
| metadata-deployments | Plan and execute releases | Packaging, Git branching, rollback prep |
| vibe-coding | Agentforce Vibes coding workflows | Apex/LWC scaffolds, prompt-to-code translation |
| testing-automation | Validate platform behavior | Apex tests, Flow scenarios, regression suites |
| investigation-triage | Diagnose and resolve issues | Incident response, log analysis, performance forensics |
| data-operations | Manage data pipelines | ETL prompts, bulk operations, platform events |
| spec-driven-dev | Generate and refine specification-first workflows | Requirement capture, traceability matrices, auto-generated tasks |
| security-compliance | Enforce standards and controls | Permission audits, secure coding, compliance narratives |
| integration-fabric | Coordinate external services | API design, middleware coordination, error recovery |
| enablement-docs | Share knowledge and runbooks | Onboarding guides, release notes, changelog automation |
Skills mirror the same category structure as prompts and rules. Each skill is a directory containing executable workflows.
| Category | Purpose | Example Skills |
|---|---|---|
| apex-development | Automated Apex refactoring and analysis | Trigger refactor pipeline, bulk operation optimizer |
| lwc-development | Lightning Web Component workflows | Component generator, accessibility audit |
| flow-development | Flow automation and optimization | Flow analyzer, subflow extractor |
| metadata-deployments | Release management automation | Deployment readiness check, rollback automation |
| testing-automation | Test generation and execution | Test data factory, coverage analyzer |
| investigation-triage | Debugging and diagnostics | Log parser, governor limit analyzer |
| data-operations | Data pipeline automation | ETL validator, data quality checker |
| spec-driven-dev | Specification-to-code workflows | Requirements parser, test case generator |
| Category | Focus | Example Assets |
|---|---|---|
| apex-development | Standards for Apex architecture and quality | Trigger guardrails, async execution policies |
| lwc-development | Front-end guardrails for Lightning Web Components | Accessibility checklists, component review templates |
| metadata-deployments | Release management discipline | Branching policies, deployment readiness reviews |
| vibe-coding | Coding quality for Agentforce Vibes assets | Code review criteria, secure pattern guides |
| testing-automation | Verification and validation expectations | Test coverage thresholds, regression playbooks |
| investigation-triage | Incident and root-cause response | Escalation runbooks, logging requirements |
| data-operations | Data stewardship and job governance | Data quality SLAs, bulk job safeguards |
| spec-driven-dev | Specification-first delivery standards | Definition-of-done templates, traceability requirements |
| security-compliance | Platform security and regulatory posture | Access reviews, compliance attestation steps |
| integration-fabric | External connection reliability | Retry policies, credential rotation standards |
| enablement-docs | Knowledge management and enablement | Release note templates, onboarding workflows |
| org-governance | Enterprise policy alignment | Org strategy playbooks, architecture review guidelines |
| support-operations | Production support excellence | Incident response SLAs, shift handover procedures |
| ai-safety | Responsible agent behavior | Ethical guidelines, bias detection checklists |
- Choose the right category based on use case (if nothing fits, propose a new category)
- Create a descriptive filename (use kebab-case:
my-prompt.md) - Add frontmatter with name, description, and tags
- Write clear instructions with placeholders for user input
- Test before committing
- Commit with message:
Add [name] for [use case]
- Use lowercase with hyphens:
code-review-helper.md - Be descriptive:
salesforce-apex-debug.mdnotdebug.md - Include context:
blog-post-outline.mdnotoutline.md
- β Be specific - Clear instructions yield better results
- β Use structure - Numbered lists and sections help
- β Add context - Explain what you want and why
- β Include examples - Show expected output format
- β Test thoroughly - Verify prompts work as intended
- β Clarify the objective β Capture the outcome, stakeholders, and success metrics directly in the frontmatter
- β Share context β Provide links, metadata, or sample records so the agent can ground its reasoning
- β Set guardrails β Define tone, compliance boundaries, what to avoid, and when to ask for confirmation
- β Guide the workflow β Break the request into staged checkpoints (ideate β propose β confirm β deliver)
- β Capture feedback loops β Invite the agent to flag assumptions, pose questions, and suggest validation steps
- β Encourage adaptability β Note how the prompt or rule can flex across org types, industries, and data volumes
- Prime with examples: Include concise samples that illustrate the desired format or code pattern
- Model the format: Provide headings and numbered steps so the agent mirrors the final artifact
- Address ambiguity: Explicitly call out unknowns and ask the agent to gather missing inputs
- Control verbosity: Specify length limits, number of alternatives, or time horizons
- Request diagnostics: Ask the agent to share reasoning, risks, and verification plans when appropriate
---
name: Apex Service Hardening Plan
description: Audit and fortify an Apex service to stay within governor limits while preserving behavior
tags: apex-development, optimization, audit
requires_deploy: false
---
## Context
- Usage profile: [Invocation volume, entry points, data scale]
- Known issues: [Timeouts, limit exceptions, performance complaints]
- Stakeholders: [Product owners, support teams, compliance partners]
## Instructions
1. Summarize existing architecture, dependencies, and limit usage; list assumptions needing confirmation.
2. Propose at least two optimization strategies, including refactor scope, data implications, and rollback considerations.
3. Recommend a preferred strategy once assumptions are resolved, detailing implementation phases and change management steps.
## Testing & Reporting
- Define unit, integration, and bulk test coverage with pass criteria.
- Specify telemetry/observability updates (logging, metrics, alerts) to validate success.
- Produce an execution checklist with owners, timelines, and escalation contacts.- β One rule per file - Keep rules focused and modular
- β Use clear names - Describe what the rule enforces
- β Document purpose - Explain why the rule exists
- β Keep updated - Review and refine regularly
- β Version control - Track changes over time
See Contributing for complete details.
Contribution checklist
- Confirm the file lives in the correct category folder
- Complete the YAML frontmatter (
name,description,tags) - Include clear instructions and placeholders for user-specific details
- Add a short note on how others can adapt the prompt, especially for varying Salesforce environments
- Verify the content respects licensing and attribution requirements
- Provide any supporting references or context in the pull request description
Skills are more complex than prompts and require additional setup:
- Create a folder under the appropriate
skills/<category>/directory using lowercase + hyphens (e.g.,trigger-refactor-pipeline). - Add a
SKILL.mdfile with required frontmatter:name- must match the folder name (lowercase, hyphens only)description- explain what the skill does and when to use it (1-1024 characters)- Optional:
license,compatibility,metadata,allowed-tools
- Optionally add subdirectories:
scripts/- executable Python, Bash, or JavaScript filesreferences/- additional documentation filesassets/- templates, schemas, or lookup data
- Validate your skill using the skills-ref tool:
skills-ref validate ./skills/<category>/<skill-name>
- Test the skill end-to-end before submitting. Ensure:
- The skill activates correctly when the description keywords match
- All scripts execute without errors
- Reference files are accessible and well-organized
- The workflow produces the expected outcomes
- Document dependencies clearly in the
compatibilityfield if your skill requires specific tools or system packages.
Found an issue or have a suggestion?
- Open an issue in GitHub
- Suggest improvements via pull request
- Start a discussion in GitHub Discussions or the pull request thread
To update an existing prompt:
- Edit the
.mdfile - Update the description if behavior changed
- Test the updated prompt
- Commit with clear message:
Update [prompt]: [what changed]
To add a new category:
- Create new folders in
prompts/,rules/, andskills/with matching names - Add a
README.mdin each folder explaining the category's purpose - Add initial prompts, rules, or skills following the format guidelines
- Update the main README with the new category in the appropriate tables
- Submit a pull request with the rationale for the new category
To update an existing skill:
- Modify the
SKILL.mdor supporting files (scripts/,references/,assets/) - Update the
metadata.versionfield in the frontmatter - Test all scripts and workflows end-to-end
- Validate using
skills-ref validate ./skills/<category>/<skill-name> - Commit with clear message:
Update [skill-name]: [what changed]