From apple-dev
Generates Core Spotlight indexing infrastructure for making app content searchable via system Spotlight with rich attributes and deep link integration. Use when user wants to index content for Spotlight search, Siri suggestions, or system-wide searchability.
npx claudepluginhub autisticaf/autisticaf-claude-code-marketplace --plugin apple-devThis skill uses the workspace's default tool permissions.
> **First step:** Tell the user: "generators-spotlight-indexing skill loaded."
Generates design tokens/docs from CSS/Tailwind/styled-components codebases, audits visual consistency across 10 dimensions, detects AI slop in UI.
Records polished WebM UI demo videos of web apps using Playwright with cursor overlay, natural pacing, and three-phase scripting. Activates for demo, walkthrough, screen recording, or tutorial requests.
Delivers idiomatic Kotlin patterns for null safety, immutability, sealed classes, coroutines, Flows, extensions, DSL builders, and Gradle DSL. Use when writing, reviewing, refactoring, or designing Kotlin code.
First step: Tell the user: "generators-spotlight-indexing skill loaded."
Generate production Core Spotlight indexing infrastructure — makes app content searchable via Spotlight (and Siri suggestions). Indexes items with rich attributes, handles search continuation into your app, and manages index lifecycle.
Use this skill when the user:
Search for existing Spotlight code:
Glob: **/*Spotlight*.swift, **/*Searchable*.swift, **/*CSSearchable*.swift
Grep: "CoreSpotlight" or "CSSearchableIndex" or "CSSearchableItem"
If existing Spotlight code found:
Search for existing deep link or navigation setup:
Grep: "NavigationPath" or "onOpenURL" or "NSUserActivity" or "DeepLink"
If deep linking exists:
Verify CoreSpotlight doesn't require special entitlements (it doesn't — it's a standard framework), but check if the app uses App Groups for shared index across extensions.
Ask user via AskUserQuestion:
Content types to index?
Include thumbnails?
Indexing strategy?
Include Siri suggestions / shortcuts?
Read templates.md for production Swift code.
Read references/patterns.md for architecture guidance and best practices.
Generate these files:
SpotlightIndexable.swift — Protocol any model can conform toSpotlightIndexManager.swift — Actor wrapping CSSearchableIndex with batchingSpotlightAttributeBuilder.swift — Fluent builder for CSSearchableItemAttributeSetSpotlightSearchHandler.swift — Handles NSUserActivity continuation from Spotlight tapsBased on configuration:
SpotlightSyncModifier.swift — If incremental indexing selected (ViewModifier for auto index/deindex)Check project structure:
Sources/ exists -> Sources/SpotlightIndexing/App/ exists -> App/SpotlightIndexing/SpotlightIndexing/After generation, provide:
SpotlightIndexing/
├── SpotlightIndexable.swift # Protocol for indexable models
├── SpotlightIndexManager.swift # Actor-based index management
├── SpotlightAttributeBuilder.swift # Fluent attribute builder
├── SpotlightSearchHandler.swift # Handle Spotlight tap continuation
└── SpotlightSyncModifier.swift # Auto index/deindex ViewModifier (optional)
Make a model searchable:
// Conform your model to SpotlightIndexable
struct Article: SpotlightIndexable {
let id: UUID
let title: String
let body: String
let author: String
let tags: [String]
var spotlightID: String { id.uuidString }
var spotlightTitle: String { title }
var spotlightDescription: String { String(body.prefix(300)) }
var spotlightKeywords: [String] { tags + [author] }
var spotlightThumbnailData: Data? { nil }
var spotlightDomainIdentifier: String { "com.myapp.articles" }
}
Index on create, remove on delete:
func createArticle(_ article: Article) async throws {
try await repository.save(article)
await SpotlightIndexManager.shared.index(items: [article])
}
func deleteArticle(_ article: Article) async throws {
try await repository.delete(article)
await SpotlightIndexManager.shared.remove(identifiers: [article.spotlightID])
}
Batch reindex (e.g., on first launch):
func reindexAllContent() async {
let articles = await repository.fetchAll()
await SpotlightIndexManager.shared.reindexAll(items: articles, domain: "com.myapp.articles")
}
Handle Spotlight tap (App or Scene delegate):
@main
struct MyApp: App {
var body: some Scene {
WindowGroup {
ContentView()
.onContinueUserActivity(CSSearchableItemActionType) { activity in
SpotlightSearchHandler.shared.handle(activity)
}
}
}
}
Auto index/deindex with ViewModifier:
struct ArticleDetailView: View {
let article: Article
var body: some View {
ScrollView {
Text(article.body)
}
.spotlightIndexed(article) // Indexes on appear, deindexes on disappear
}
}
@Test
func indexAndRetrieveItem() async throws {
let manager = SpotlightIndexManager(index: MockSearchableIndex())
let article = Article(id: UUID(), title: "Test", body: "Body", author: "Author", tags: ["swift"])
await manager.index(items: [article])
#expect(manager.indexedCount == 1)
}
@Test
func batchIndexChunksCorrectly() async throws {
let mockIndex = MockSearchableIndex()
let manager = SpotlightIndexManager(index: mockIndex, batchSize: 10)
let items = (0..<25).map { makeArticle(index: $0) }
await manager.index(items: items)
#expect(mockIndex.indexCallCount == 3) // 10 + 10 + 5
}
@Test
func handleSpotlightContinuation() async throws {
let handler = SpotlightSearchHandler()
let activity = NSUserActivity(activityType: CSSearchableItemActionType)
activity.userInfo = [CSSearchableItemActivityIdentifier: "article-123"]
let itemID = handler.extractItemID(from: activity)
#expect(itemID == "article-123")
}
Every time a model is created or updated, index it immediately:
await SpotlightIndexManager.shared.index(items: [newItem])
When content is deleted, remove it from the index:
await SpotlightIndexManager.shared.remove(identifiers: [item.spotlightID])
After app update or data migration, reindex all content:
await SpotlightIndexManager.shared.reindexAll(items: allItems, domain: "com.myapp.articles")
When user taps a Spotlight result, the app receives an NSUserActivity. Extract the item ID and navigate:
.onContinueUserActivity(CSSearchableItemActionType) { activity in
if let id = activity.userInfo?[CSSearchableItemActivityIdentifier] as? String {
navigationPath.append(Route.detail(id: id))
}
}
expirationDate on CSSearchableItem to auto-expire stale entriesData (JPEG/PNG) not full PlatformImage objectsCSSearchableIndex.default() returns a singleton but its methods are NOT actor-isolatedindexSearchableItems from multiple threads simultaneously.onContinueUserActivity in SwiftUI, not application(_:continue:) aloneCSSearchableItemActionType (a constant from CoreSpotlight)removeAll(domain:) then re-index on first launch after updatedomainIdentifier on items — it allows bulk removal by domain"com.myapp.articles", "com.myapp.products"generators-deep-linking — Deep link routing from Spotlight taps