iOS Development Guidelines (Smart Router): Context-aware routing to iOS development patterns, code style, and architecture guidelines. This skill provides critical rules and points you to comprehensive documentation.
Installation
Details
Usage
After installing, this skill will be available to your AI coding assistant.
Verify installation:
skills listSkill Instructions
iOS Development Guidelines (Smart Router)
Purpose
Context-aware routing to iOS development patterns, code style, and architecture guidelines. This skill provides critical rules and points you to comprehensive documentation.
When Auto-Activated
- Working with
.swiftfiles - Discussing ViewModels, Coordinators, architecture
- Refactoring or formatting code
- Keywords: swift, swiftui, mvvm, async, await, refactor
šØ CRITICAL RULES (NEVER VIOLATE)
- NEVER trim whitespace-only lines - Preserve blank lines with spaces/tabs exactly as they appear
- NEVER edit generated files - Files marked with
// Generated using Sourcery/SwiftGen - NEVER use hardcoded strings in UI - Always use localization constants (
Loc.*) - NEVER add comments unless explicitly requested
- ALWAYS update tests and mocks when refactoring - Search for all references and update
- Use feature flags for new features - Wrap experimental code for safe rollouts
š Quick Checklist
Before completing any task:
- Whitespace-only lines preserved (not trimmed)
- No hardcoded strings (use
Locconstants) - Tests and mocks updated if dependencies changed
- Generated files not edited
- Feature flags applied to new features
- No comments added (unless requested)
šÆ Common Patterns
MVVM ViewModel
@MainActor
final class ChatViewModel: ObservableObject {
@Published var messages: [Message] = []
@Injected(\.chatService) private var chatService
func sendMessage(_ text: String) async {
// Business logic here
}
}
Coordinator
@MainActor
final class ChatCoordinator: ObservableObject {
@Published var route: Route?
enum Route {
case settings
case memberList
}
}
Dependency Injection
extension Container {
var chatService: Factory<ChatServiceProtocol> {
Factory(self) { ChatService() }
}
}
// Usage in ViewModel
@Injected(\.chatService) private var chatService
ViewModel Initialization
Keep ViewModel init() cheap - defer heavy work to .task:
// Init assigns parameters only
init(id: String) {
_model = State(wrappedValue: ViewModel(id: id))
}
// Heavy work in .task
.task { await model.startSubscriptions() }
For expensive init, defer creation entirely:
@State private var model: ViewModel?
.task(id: id) { model = ViewModel(id: id) }
Async Button Actions
Prefer AsyncStandardButton over manual loading state management for cleaner code:
// ā AVOID: Manual loading state
struct MyView: View {
@State private var isLoading = false
var body: some View {
StandardButton(.text("Connect"), inProgress: isLoading, style: .secondaryLarge) {
isLoading = true
Task {
await viewModel.connect()
isLoading = false
}
}
}
}
// ā
PREFERRED: AsyncStandardButton handles loading state automatically
struct MyView: View {
var body: some View {
AsyncStandardButton(Loc.sendMessage, style: .primaryLarge) {
try await viewModel.onConnect()
}
}
}
// ViewModel can throw - errors are handled automatically
func onConnect() async throws {
guard let identity = details?.identity, identity.isNotEmpty else { return }
if let existingSpace = spaceViewsStorage.oneToOneSpaceView(identity: identity) {
pageNavigation?.open(.spaceChat(SpaceChatCoordinatorData(spaceId: existingSpace.targetSpaceId)))
return
}
let newSpaceId = try await workspaceService.createOneToOneSpace(oneToOneIdentity: identity)
pageNavigation?.open(.spaceChat(SpaceChatCoordinatorData(spaceId: newSpaceId)))
}
Benefits of AsyncStandardButton:
- Manages
inProgressstate internally - Shows error toast automatically on failure
- Provides haptic feedback (selection on tap, error on failure)
- Cleaner ViewModel (no
@Published var isLoadingneeded) - Action is
async throws- usetry awaitand let errors propagate naturally
šļø Project Structure
Anytype/Sources/
āāā ApplicationLayer/ # App lifecycle, coordinators
āāā PresentationLayer/ # UI components, ViewModels
āāā ServiceLayer/ # Business logic, data services
āāā Models/ # Data models, entities
āāā CoreLayer/ # Core utilities, networking
š§ Code Style Quick Reference
- Indentation: 4 spaces (no tabs)
- Naming: PascalCase (types), camelCase (variables/functions)
- Extensions:
TypeName+Feature.swift - Property order: @Published/@Injected ā public ā private ā computed ā init ā methods
- Avoid nested types - Extract to top-level with descriptive names
- Enum exhaustiveness - Use explicit switch statements (enables compiler warnings)
š Complete Documentation
Full Guide: Anytype/Sources/IOS_DEVELOPMENT_GUIDE.md
For comprehensive coverage of:
- Detailed formatting rules
- Swift best practices (guard, @MainActor, async/await)
- Architecture patterns (MVVM, Coordinator, Repository)
- Property organization
- Common mistakes from past incidents
- Testing & mock management
- Complete code examples
šØ Common Mistakes (Historical)
Autonomous Committing (2025-01-28)
NEVER commit without explicit user request - Committing is destructive
Wildcard File Deletion (2025-01-24)
Used rm -f .../PublishingPreview*.swift - deleted main UI component
- Always check with
lsfirst - Delete files individually
Incomplete Mock Updates (2025-01-16)
Refactored dependencies but forgot MockView.swift
- Search:
rg "oldName" --type swift - Update: tests, mocks, DI registrations
š Related Skills & Docs
- localization-developer ā
LOCALIZATION_GUIDE.md- Localization system - code-generation-developer ā
CODE_GENERATION_GUIDE.md- Feature flags, make generate - design-system-developer ā
DESIGN_SYSTEM_MAPPING.md- Icons, typography
Navigation: This is a smart router. For deep technical details, always refer to IOS_DEVELOPMENT_GUIDE.md.
More by anyproto
View allCode Generation Developer (Smart Router): Context-aware routing to code generation workflows: SwiftGen, Sourcery, Feature Flags, and Protobuf. Helps you navigate when and how to run generators.
Code Review Developer (Smart Router): Context-aware routing to code review guidelines. Helps you conduct thorough, actionable code reviews following project standards.