Swift/SwiftUI Development
// Expert skill for native iOS development with Swift and SwiftUI
$ git log --oneline --stat
stars:384
forks:73
updated:March 4, 2026
SKILL.mdreadonly
SKILL.md Frontmatter
nameSwift/SwiftUI Development
descriptionExpert skill for native iOS development with Swift and SwiftUI
version1.0.0
categoryNative iOS Development
slugswift-swiftui
statusactive
Swift/SwiftUI Development Skill
Overview
This skill provides expert capabilities for native iOS development using Swift and SwiftUI. It enables generation of SwiftUI views, implementation of state management patterns, Combine reactive programming, and comprehensive Xcode build operations.
Allowed Tools
bash- Execute xcodebuild, swift, and xcrun commandsread- Analyze Swift source files and Xcode project configurationswrite- Generate and modify Swift code and SwiftUI viewsedit- Update existing Swift code and configurationsglob- Search for Swift files and Xcode project filesgrep- Search for patterns in Swift codebase
Capabilities
SwiftUI Development
-
View Generation
- Create SwiftUI views with proper structure
- Implement ViewBuilder for custom containers
- Build reusable view modifiers
- Generate preview providers
- Create environment-aware views
-
State Management
- Implement @State for local view state
- Use @Binding for two-way bindings
- Configure @ObservedObject and @StateObject
- Implement @EnvironmentObject for dependency injection
- Use @AppStorage for UserDefaults integration
-
Navigation
- Configure NavigationStack with path-based routing
- Implement NavigationLink and NavigationDestination
- Set up TabView with programmatic selection
- Handle sheet and fullScreenCover presentations
- Implement deep linking with URL handling
Combine Framework
-
Reactive Patterns
- Create Publishers and Subscribers
- Implement custom Combine operators
- Handle error propagation and recovery
- Use @Published for observable properties
- Configure cancellation with AnyCancellable
-
Data Flow
- Implement PassthroughSubject and CurrentValueSubject
- Configure debounce and throttle for user input
- Chain operators for data transformation
- Handle async operations with Future
Swift Package Manager
- Package Management
- Configure Package.swift for dependencies
- Create local Swift packages
- Implement package products and targets
- Configure binary dependencies
- Set up package plugins
Xcode Build System
-
Build Operations
- Execute xcodebuild for compilation
- Configure build schemes and configurations
- Implement archive and export workflows
- Set up code signing with profiles
- Generate dSYM files for crash reporting
-
Code Signing
- Configure automatic code signing
- Set up manual provisioning profiles
- Implement certificate management
- Configure entitlements files
- Handle App Groups and capabilities
Testing
-
XCTest Framework
- Write unit tests with XCTestCase
- Implement UI tests with XCUITest
- Configure test plans and schemes
- Set up code coverage collection
- Create mock objects for testing
-
Performance Testing
- Use XCTMetric for performance measurement
- Configure Instruments profiles
- Implement memory testing
- Profile energy impact
- Analyze launch time
Target Processes
This skill integrates with the following processes:
swiftui-app-development.js- SwiftUI app architectureios-core-data-implementation.js- Core Data integrationios-push-notifications.js- APNs configurationios-appstore-submission.js- App Store submissionmobile-accessibility-implementation.js- Accessibility features
Dependencies
Required
- Xcode 15+
- Swift 5.9+
- macOS 14+ (Sonoma)
Optional
- Instruments
- SF Symbols app
- Swift Playgrounds
- TestFlight
Configuration
Project Structure
MyApp/
├── MyApp/
│ ├── App/
│ │ ├── MyAppApp.swift
│ │ └── ContentView.swift
│ ├── Features/
│ │ └── FeatureName/
│ │ ├── Views/
│ │ ├── ViewModels/
│ │ └── Models/
│ ├── Core/
│ │ ├── Extensions/
│ │ ├── Utilities/
│ │ └── Services/
│ ├── Resources/
│ │ └── Assets.xcassets
│ └── Info.plist
├── MyAppTests/
├── MyAppUITests/
└── MyApp.xcodeproj
SwiftUI App Entry Point
// MyAppApp.swift
import SwiftUI
@main
struct MyAppApp: App {
@StateObject private var appState = AppState()
var body: some Scene {
WindowGroup {
ContentView()
.environmentObject(appState)
}
}
}
Usage Examples
Create SwiftUI View
// Features/Home/Views/HomeView.swift
import SwiftUI
struct HomeView: View {
@StateObject private var viewModel = HomeViewModel()
@State private var searchText = ""
var body: some View {
NavigationStack {
List {
ForEach(viewModel.filteredItems) { item in
NavigationLink(value: item) {
ItemRowView(item: item)
}
}
}
.navigationTitle("Home")
.searchable(text: $searchText)
.onChange(of: searchText) { _, newValue in
viewModel.search(query: newValue)
}
.navigationDestination(for: Item.self) { item in
ItemDetailView(item: item)
}
.refreshable {
await viewModel.refresh()
}
}
}
}
#Preview {
HomeView()
}
Implement ViewModel with Combine
// Features/Home/ViewModels/HomeViewModel.swift
import Foundation
import Combine
@MainActor
final class HomeViewModel: ObservableObject {
@Published private(set) var items: [Item] = []
@Published private(set) var filteredItems: [Item] = []
@Published private(set) var isLoading = false
@Published private(set) var error: Error?
private let itemService: ItemServiceProtocol
private var cancellables = Set<AnyCancellable>()
init(itemService: ItemServiceProtocol = ItemService()) {
self.itemService = itemService
setupBindings()
Task { await loadItems() }
}
private func setupBindings() {
$items
.assign(to: &$filteredItems)
}
func loadItems() async {
isLoading = true
error = nil
do {
items = try await itemService.fetchItems()
} catch {
self.error = error
}
isLoading = false
}
func search(query: String) {
if query.isEmpty {
filteredItems = items
} else {
filteredItems = items.filter { $0.title.localizedCaseInsensitiveContains(query) }
}
}
func refresh() async {
await loadItems()
}
}
Create Custom View Modifier
// Core/ViewModifiers/CardStyle.swift
import SwiftUI
struct CardStyle: ViewModifier {
var cornerRadius: CGFloat = 12
var shadowRadius: CGFloat = 4
func body(content: Content) -> some View {
content
.background(Color(.systemBackground))
.cornerRadius(cornerRadius)
.shadow(color: .black.opacity(0.1), radius: shadowRadius, x: 0, y: 2)
}
}
extension View {
func cardStyle(cornerRadius: CGFloat = 12, shadowRadius: CGFloat = 4) -> some View {
modifier(CardStyle(cornerRadius: cornerRadius, shadowRadius: shadowRadius))
}
}
Configure Navigation with Deep Linking
// App/Router.swift
import SwiftUI
enum Route: Hashable {
case home
case detail(id: String)
case settings
case profile(userId: String)
}
final class Router: ObservableObject {
@Published var path = NavigationPath()
func navigate(to route: Route) {
path.append(route)
}
func navigateBack() {
path.removeLast()
}
func navigateToRoot() {
path.removeLast(path.count)
}
func handle(url: URL) -> Bool {
guard let components = URLComponents(url: url, resolvingAgainstBaseURL: true),
let host = components.host else {
return false
}
switch host {
case "detail":
if let id = components.queryItems?.first(where: { $0.name == "id" })?.value {
navigate(to: .detail(id: id))
return true
}
case "profile":
if let userId = components.queryItems?.first(where: { $0.name == "userId" })?.value {
navigate(to: .profile(userId: userId))
return true
}
default:
break
}
return false
}
}
Build Commands
# Build for simulator
xcodebuild -scheme MyApp -destination 'platform=iOS Simulator,name=iPhone 15 Pro' build
# Build for device
xcodebuild -scheme MyApp -destination 'generic/platform=iOS' build
# Archive for distribution
xcodebuild -scheme MyApp -archivePath ./build/MyApp.xcarchive archive
# Export IPA
xcodebuild -exportArchive -archivePath ./build/MyApp.xcarchive -exportPath ./build -exportOptionsPlist ExportOptions.plist
# Run tests
xcodebuild test -scheme MyApp -destination 'platform=iOS Simulator,name=iPhone 15 Pro'
Quality Gates
Code Quality
- Swift compiler warnings treated as errors
- SwiftLint compliance with strict rules
- No force unwrapping in production code
- Proper access control modifiers
Performance Benchmarks
- App launch time < 1 second (cold start)
- Smooth 120fps animations (ProMotion devices)
- Memory usage within App Store guidelines
- No Main Thread Checker warnings
Test Coverage
- Unit test coverage > 80%
- UI test coverage for critical flows
- Performance tests for key operations
Error Handling
Common Issues
-
Xcode build cache issues
rm -rf ~/Library/Developer/Xcode/DerivedData -
Code signing issues
security find-identity -v -p codesigning -
Swift Package resolution
swift package resolve # Or in Xcode: File > Packages > Reset Package Caches -
Simulator issues
xcrun simctl erase all
Related Skills
ios-persistence- Core Data and Realm integrationpush-notifications- APNs configurationmobile-security- iOS security implementationapp-store-connect- App Store submission
Version History
- 1.0.0 - Initial release with core Swift/SwiftUI capabilities