application-patterns
10
总安装量
6
周安装量
#29449
全站排名
安装命令
npx skills add https://github.com/miles990/claude-software-skills --skill application-patterns
Agent 安装分布
antigravity
6
codex
5
opencode
4
claude-code
4
windsurf
4
Skill 文档
Application Development Patterns
Overview
Common patterns for building real-world applications. These patterns solve recurring problems in application development.
CRUD Applications
Data Flow Pattern
âââââââââââ âââââââââââ âââââââââââ âââââââââââ
â Form â âââ âValidate â âââ â Service â âââ â DB â
âââââââââââ âââââââââââ âââââââââââ âââââââââââ
â â
ââââââââââââââ Response âââââââââââââââââââââââââ
Form Handling Best Practices
// 1. Validation schema (shared frontend/backend)
const userSchema = z.object({
email: z.string().email(),
name: z.string().min(2).max(100),
role: z.enum(['admin', 'user', 'guest'])
});
// 2. Server action with error handling
async function createUser(formData: FormData) {
const result = userSchema.safeParse(Object.fromEntries(formData));
if (!result.success) {
return { error: result.error.flatten() };
}
try {
const user = await db.user.create({ data: result.data });
return { success: true, data: user };
} catch (e) {
if (e.code === 'P2002') {
return { error: { email: 'Email already exists' } };
}
throw e;
}
}
User Authentication
Authentication Flow
ââââââââââââââââââââââââââââââââââââââââââââââââââââââââââââââ
â Authentication Flows â
ââââââââââââââââââââââââââââââââââââââââââââââââââââââââââââââ¤
â â
â Email/Password: â
â Login â Validate â Create Session â Set Cookie â Redirect â
â â
â OAuth (Social Login): â
â Redirect â Provider Auth â Callback â Upsert User â Done â
â â
â Magic Link: â
â Email â Generate Token â Send Link â Verify â Login â
â â
ââââââââââââââââââââââââââââââââââââââââââââââââââââââââââââââ
Session Management
| Strategy | Pros | Cons |
|---|---|---|
| JWT | Stateless, scalable | Can’t revoke easily |
| Server Session | Revocable, secure | Requires session store |
| Hybrid | Best of both | More complex |
Security Checklist
- Password hashing (bcrypt/argon2)
- Rate limiting on login
- CSRF protection
- Secure cookie settings (httpOnly, secure, sameSite)
- Account lockout after failed attempts
- Password reset token expiration
Admin Dashboards
Data Table Pattern
// Reusable data table with sorting, filtering, pagination
interface DataTableProps<T> {
data: T[];
columns: ColumnDef<T>[];
pagination: { page: number; pageSize: number; total: number };
sorting: { field: string; direction: 'asc' | 'desc' }[];
filters: Record<string, unknown>;
onStateChange: (state: TableState) => void;
}
// Server-side handling
async function getUsers(params: TableState) {
const { page, pageSize, sorting, filters } = params;
const query = {
where: buildWhereClause(filters),
orderBy: buildOrderBy(sorting),
skip: (page - 1) * pageSize,
take: pageSize,
};
const [users, total] = await Promise.all([
db.user.findMany(query),
db.user.count({ where: query.where })
]);
return { data: users, total };
}
Bulk Operations
// Safe bulk delete with confirmation
async function bulkDelete(ids: string[]) {
// 1. Validate permissions for each item
const items = await db.item.findMany({
where: { id: { in: ids } },
select: { id: true, ownerId: true }
});
const authorized = items.filter(item =>
canDelete(currentUser, item)
);
// 2. Soft delete or hard delete
await db.item.updateMany({
where: { id: { in: authorized.map(i => i.id) } },
data: { deletedAt: new Date() }
});
return {
deleted: authorized.length,
skipped: ids.length - authorized.length
};
}
File Management
Upload Strategies
| Method | Use Case | Max Size |
|---|---|---|
| Direct to server | Small files | ~10MB |
| Presigned URL | Large files | Unlimited |
| Chunked upload | Very large files | Unlimited |
| Resumable | Unreliable network | Unlimited |
Presigned URL Flow
Client Server S3
â â â
âââ Request upload URL ââââ â
â âââ Generate presigned âââ
ââââ Return presigned URLââ â
â â â
ââââââââââ Upload file directly âââââââââââââââââââ
â â â
âââ Confirm upload ââââââââ â
â âââ Verify file exists âââ
ââââ Success ââââââââââââââ â
Image Processing Pipeline
async function processUpload(file: File) {
// 1. Validate file type and size
if (!ALLOWED_TYPES.includes(file.type)) {
throw new Error('Invalid file type');
}
// 2. Generate variants
const variants = await Promise.all([
sharp(file.buffer).resize(100, 100).toBuffer(), // thumbnail
sharp(file.buffer).resize(800, 600).toBuffer(), // medium
sharp(file.buffer).resize(1920, 1080).toBuffer(), // large
]);
// 3. Upload to CDN
const urls = await uploadToS3(variants);
// 4. Store metadata
return db.image.create({
data: {
original: urls.original,
thumbnail: urls.thumbnail,
medium: urls.medium,
large: urls.large,
mimeType: file.type,
size: file.size,
}
});
}
Search Implementation
Search Architecture
ââââââââââââââââ ââââââââââââââââ ââââââââââââââââ
â Database â âââ â Sync â âââ â Search â
â (Primary) â â Worker â â Engine â
ââââââââââââââââ ââââââââââââââââ ââââââââââââââââ
â
â
ââââââââââââââââ ââââââââââââââââ â
â Client â âââ â Search API â âââââââââââââ
ââââââââââââââââ ââââââââââââââââ
Search Features Checklist
- Full-text search
- Faceted filtering
- Autocomplete/suggestions
- Typo tolerance (fuzzy matching)
- Highlighting
- Synonyms
- Relevance tuning
Workflow Engines
State Machine Pattern
const orderStateMachine = {
initial: 'pending',
states: {
pending: {
on: {
PAY: 'paid',
CANCEL: 'cancelled'
}
},
paid: {
on: {
SHIP: 'shipped',
REFUND: 'refunded'
}
},
shipped: {
on: {
DELIVER: 'delivered',
RETURN: 'returned'
}
},
delivered: { type: 'final' },
cancelled: { type: 'final' },
refunded: { type: 'final' },
returned: {
on: {
REFUND: 'refunded'
}
}
}
};
Approval Workflow
interface ApprovalStep {
id: string;
approvers: string[]; // User IDs or roles
requiredApprovals: number; // How many need to approve
timeout?: Duration; // Auto-escalate after
escalateTo?: string; // Next approver on timeout
}
async function processApproval(stepId: string, userId: string, decision: 'approve' | 'reject') {
const step = await db.approvalStep.findUnique({ where: { id: stepId } });
// Record decision
await db.approval.create({
data: { stepId, userId, decision, timestamp: new Date() }
});
// Check if complete
const approvals = await db.approval.count({
where: { stepId, decision: 'approve' }
});
if (approvals >= step.requiredApprovals) {
await advanceToNextStep(step);
}
}
Multi-language (i18n)
Translation Structure
locales/
âââ en/
â âââ common.json # Shared strings
â âââ auth.json # Auth module
â âââ dashboard.json # Dashboard module
âââ zh-TW/
â âââ common.json
â âââ auth.json
â âââ dashboard.json
âââ ja/
âââ ...
Best Practices
-
Key Naming: Use namespaced keys
{ "auth.login.title": "Sign In", "auth.login.email": "Email Address", "auth.login.submit": "Sign In" } -
Pluralization: Handle plural forms
{ "items": "{count, plural, =0 {No items} =1 {1 item} other {# items}}" } -
Variables: Use interpolation
{ "welcome": "Welcome, {name}!" } -
Date/Number Formatting: Use Intl APIs
new Intl.DateTimeFormat(locale).format(date) new Intl.NumberFormat(locale, { style: 'currency', currency }).format(amount)
Related Skills
- [[architecture-patterns]] – Overall system design
- [[frontend]] – UI implementation
- [[backend]] – Server implementation
- [[database]] – Data persistence
- [[security-practices]] – Security considerations