{"id":"72c4d44c-c3c3-4fbc-8002-84f1da926d6a","shortId":"ax2vJX","kind":"skill","title":"Tipkit","tagline":"Swift Ios Skills skill by Dpearson2699","description":"# TipKit\n\nAdd feature discovery tips, contextual hints, and onboarding coach marks to\niOS 17+ apps using Apple's TipKit framework. TipKit manages display frequency,\neligibility rules, and persistence so tips appear at the right time and\ndisappear once the user has learned the feature.\n\n## Contents\n\n- [Setup](#setup)\n- [Defining Tips](#defining-tips)\n- [Displaying Tips](#displaying-tips)\n- [Tip Rules](#tip-rules)\n- [Tip Actions](#tip-actions)\n- [Tip Groups](#tip-groups)\n- [Programmatic Control](#programmatic-control)\n- [Common Mistakes](#common-mistakes)\n- [Review Checklist](#review-checklist)\n- [References](#references)\n\n## Setup\n\nCall `Tips.configure()` once in `App.init`, before any views render. This\ninitializes the tips datastore and begins rule evaluation. Calling it later\nrisks a race where tip views attempt to display before the datastore is ready.\n\n```swift\nimport SwiftUI\nimport TipKit\n\n@main\nstruct MyApp: App {\n    init() {\n        try? Tips.configure([\n            .datastoreLocation(.applicationDefault)\n        ])\n    }\n\n    var body: some Scene {\n        WindowGroup { ContentView() }\n    }\n}\n```\n\n### DatastoreLocation Options\n\n| Option | Use Case |\n|---|---|\n| `.applicationDefault` | Default location, app sandbox (most apps) |\n| `.groupContainer(identifier:)` | Share tips state across app and extensions |\n| `.url(_:)` | Custom file URL for full control over storage location |\n\n### CloudKit Sync\n\nSync tip state across a user's devices so they do not see the same tip on\nevery device. Add the CloudKit container option alongside the datastore\nlocation.\n\n```swift\ntry? Tips.configure([\n    .datastoreLocation(.applicationDefault),\n    .cloudKitContainer(.named(\"iCloud.com.example.app\"))\n])\n```\n\n## Defining Tips\n\nConform a struct to the `Tip` protocol. Provide a `title` at minimum.\nAdd `message` for supporting detail and `image` for a leading icon. Keep\ntitles short and action-oriented because the tip appears as a compact callout.\n\n```swift\nimport TipKit\n\nstruct FavoriteTip: Tip {\n    var title: Text { Text(\"Pin Your Favorites\") }\n    var message: Text? { Text(\"Tap the heart icon to save items for quick access.\") }\n    var image: Image? { Image(systemName: \"heart\") }\n}\n```\n\n**Properties**: `title` (required), `message` (optional detail), `image` (optional leading icon), `actions` (optional buttons), `rules` (optional eligibility conditions), `options` (display frequency, max count).\n\n**Lifecycle**: Pending (rules unsatisfied) -> Eligible (all rules pass) -> Invalidated (dismissed, actioned, or programmatically removed). Once invalidated, a tip does not reappear unless the datastore is reset.\n\n## Displaying Tips\n\n### Inline Tips with TipView\n\nEmbed a `TipView` directly in your layout. It renders as a rounded card that\nappears and disappears with animation. Use for tips within scrollable content.\n\n```swift\nlet favoriteTip = FavoriteTip()\nvar body: some View {\n    VStack {\n        TipView(favoriteTip)\n        ItemListView()\n    }\n}\n```\n\n### Popover Tips with .popoverTip()\n\nAttach a tip as a popover anchored to any view. The framework draws an arrow\nfrom the popover to the anchor. Use for tips pointing to a specific control.\n\n```swift\nButton { toggleFavorite() } label: { Image(systemName: \"heart\") }\n    .popoverTip(favoriteTip)\n\n// Control arrow direction (omit to let system choose)\n.popoverTip(favoriteTip, arrowEdge: .bottom)\n```\n\n### Custom TipViewStyle\n\nCreate a custom style to control tip appearance across the app. Conform\nto `TipViewStyle` and implement `makeBody(configuration:)`.\n\n```swift\nstruct CustomTipStyle: TipViewStyle {\n    func makeBody(configuration: Configuration) -> some View {\n        HStack(spacing: 12) {\n            configuration.image?\n                .font(.title2)\n                .foregroundStyle(.tint)\n\n            VStack(alignment: .leading, spacing: 4) {\n                configuration.title\n                    .font(.headline)\n                configuration.message?\n                    .font(.subheadline)\n                    .foregroundStyle(.secondary)\n            }\n        }\n        .padding()\n    }\n}\n\n// Apply globally or per view\nTipView(favoriteTip)\n    .tipViewStyle(CustomTipStyle())\n```\n\n## Tip Rules\n\nRules control when a tip becomes eligible. All rules in the `rules` array\nmust pass before the tip displays. TipKit supports two rule types:\nparameter-based and event-based.\n\n### Parameter-Based Rules\n\nUse `@Parameter` to track app state. The tip becomes eligible when the\nparameter value satisfies the rule condition.\n\n```swift\nstruct FavoriteTip: Tip {\n    @Parameter\n    static var hasSeenList: Bool = false\n\n    var title: Text { Text(\"Pin Your Favorites\") }\n\n    var rules: [Rule] {\n        #Rule(Self.$hasSeenList) { $0 == true }\n    }\n}\n\n// Set the parameter when the user reaches the list\nFavoriteTip.hasSeenList = true\n```\n\n### Event-Based Rules\n\nUse `Tips.Event` to track user actions. Donate to the event each time the\naction occurs. The rule fires when the donation count or timing condition\nis met. This is ideal for tips that should appear after the user has\nperformed an action several times without discovering a related feature.\n\n```swift\nstruct ShortcutTip: Tip {\n    static let appOpenedEvent = Tips.Event(id: \"appOpened\")\n\n    var title: Text { Text(\"Try the Quick Action\") }\n\n    var rules: [Rule] {\n        #Rule(Self.appOpenedEvent) { $0.donations.count >= 3 }\n    }\n}\n\n// Donate each time the app opens\nShortcutTip.appOpenedEvent.donate()\n```\n\n### Combining Multiple Rules\n\nPlace multiple rules in the array. All must pass (logical AND).\n\n```swift\nstruct AdvancedTip: Tip {\n    @Parameter\n    static var isLoggedIn: Bool = false\n\n    static let featureUsedEvent = Tips.Event(id: \"featureUsed\")\n\n    var title: Text { Text(\"Unlock Advanced Mode\") }\n\n    var rules: [Rule] {\n        #Rule(Self.$isLoggedIn) { $0 == true }\n        #Rule(Self.featureUsedEvent) { $0.donations.count >= 5 }\n    }\n}\n```\n\n### Display Frequency Options\n\nControl how often tips appear using the `options` property.\n\n```swift\nstruct DailyTip: Tip {\n    var title: Text { Text(\"Daily Reminder\") }\n\n    var options: [TipOption] {\n        MaxDisplayCount(3)                   // Show at most 3 times total\n        IgnoresDisplayFrequency(true)        // Bypass global frequency limit\n    }\n}\n```\n\nGlobal display frequency is set at configuration time:\n\n```swift\ntry? Tips.configure([\n    .displayFrequency(.daily)  // .immediate, .hourly, .daily, .weekly, .monthly\n])\n```\n\nWith `.daily`, the system shows at most one tip per day across the entire\napp, unless a specific tip sets `IgnoresDisplayFrequency(true)`.\n\n## Tip Actions\n\nAdd action buttons to a tip for direct interaction. Each action has an `id`\nand a label. Handle the action in the tip view's action handler.\n\n```swift\nstruct FeatureTip: Tip {\n    var title: Text { Text(\"Try the New Editor\") }\n    var message: Text? { Text(\"We added a powerful new editing mode.\") }\n\n    var actions: [Action] {\n        Action(id: \"open-editor\", title: \"Open Editor\")\n        Action(id: \"learn-more\", title: \"Learn More\")\n    }\n}\n```\n\nHandle actions in the view:\n\n```swift\nTipView(featureTip) { action in\n    switch action.id {\n    case \"open-editor\":\n        navigateToEditor()\n        featureTip.invalidate(reason: .actionPerformed)\n    case \"learn-more\":\n        showHelpSheet = true\n    default:\n        break\n    }\n}\n```\n\n## Tip Groups\n\nUse `TipGroup` to coordinate multiple tips within a single view.\n`TipGroup` ensures only one tip from the group displays at a time,\npreventing tip overload. Tips display in priority order.\n\n```swift\nstruct OnboardingView: View {\n    let tipGroup = TipGroup(.ordered) {\n        WelcomeTip()\n        NavigationTip()\n        ProfileTip()\n    }\n\n    var body: some View {\n        VStack {\n            if let currentTip = tipGroup.currentTip {\n                TipView(currentTip)\n            }\n\n            Button(\"Next\") {\n                tipGroup.currentTip?.invalidate(reason: .actionPerformed)\n            }\n        }\n    }\n}\n```\n\n### Priority Options\n\n| Initializer | Behavior |\n|---|---|\n| `.ordered` | Tips display in the order they are listed |\n\nWhen the current tip is invalidated, the next eligible tip in the group\nbecomes `currentTip`.\n\n## Programmatic Control\n\n### Invalidating Tips\n\nCall `invalidate(reason:)` when the user performs the discovered action or\nwhen the tip is no longer relevant.\n\n```swift\nlet tip = FavoriteTip()\ntip.invalidate(reason: .actionPerformed)\n```\n\n| Reason | When to Use |\n|---|---|\n| `.actionPerformed` | User performed the action the tip describes |\n| `.displayCountExceeded` | Tip hit its maximum display count |\n| `.tipClosed` | User explicitly dismissed the tip |\n\n### Testing Utilities\n\nTipKit provides static methods to control tip visibility during development\nand testing. Gate these behind `#if DEBUG` or `ProcessInfo` checks so they\nnever run in production builds.\n\n```swift\n#if DEBUG\n// Show all tips regardless of rules (useful during development)\nTips.showAllTipsForTesting()\n\n// Show only specific tips\nTips.showTipsForTesting([FavoriteTip.self, ShortcutTip.self])\n\n// Hide all tips (useful for UI tests that do not involve tips)\nTips.hideAllTipsForTesting()\n\n// Reset the datastore (clears all tip state, invalidations, and events)\ntry? Tips.resetDatastore()\n#endif\n```\n\n### Using ProcessInfo for Test Schemes\n\n```swift\nif ProcessInfo.processInfo.arguments.contains(\"--show-all-tips\") {\n    Tips.showAllTipsForTesting()\n}\n```\n\nPass `--show-all-tips` as a launch argument in the Xcode scheme for\ndevelopment builds.\n\n## Common Mistakes\n\n### DON'T: Call Tips.configure() anywhere except App.init\n\nCalling `Tips.configure()` in a view's `onAppear` or `task` modifier\ncreates a race condition where tip views try to render before the\ndatastore is ready, causing missing or flickering tips.\n\n```swift\n// WRONG\nstruct ContentView: View {\n    var body: some View {\n        Text(\"Hello\")\n            .task { try? Tips.configure() }  // Too late, views already rendered\n    }\n}\n\n// CORRECT\n@main struct MyApp: App {\n    init() { try? Tips.configure() }\n    var body: some Scene { WindowGroup { ContentView() } }\n}\n```\n\n### DON'T: Show too many tips at once\n\nDisplaying multiple tips simultaneously overwhelms users and dilutes the\nimpact of each tip. Users learn to ignore them.\n\n```swift\n// WRONG: Three tips visible at the same time\nVStack {\n    TipView(tipA)\n    TipView(tipB)\n    TipView(tipC)\n}\n\n// CORRECT: Use TipGroup to sequence them\nlet group = TipGroup(.ordered) { TipA(); TipB(); TipC() }\nif let currentTip = group.currentTip {\n    TipView(currentTip)\n}\n```\n\n### DON'T: Forget to invalidate tips after the user performs the action\n\nIf a tip says \"Tap the star to favorite\" and the user taps the star but\nthe tip remains, it erodes trust in the UI.\n\n```swift\n// WRONG: Tip stays visible after user acts\nButton(\"Favorite\") { toggleFavorite() }\n    .popoverTip(favoriteTip)\n\n// CORRECT: Invalidate on action\nButton(\"Favorite\") {\n    toggleFavorite()\n    favoriteTip.invalidate(reason: .actionPerformed)\n}\n.popoverTip(favoriteTip)\n```\n\n### DON'T: Leave testing tips enabled in production\n\n`Tips.showAllTipsForTesting()` bypasses all rules and frequency limits.\nShipping this in production means every user sees every tip immediately.\n\n```swift\n// WRONG: Always active\nTips.showAllTipsForTesting()\n\n// CORRECT: Gated behind DEBUG\n#if DEBUG\nTips.showAllTipsForTesting()\n#endif\n```\n\n### DON'T: Make tip titles too long\n\nLong titles get truncated or wrap awkwardly in the compact tip callout.\nPut the key action in the title and supporting context in the message.\n\n```swift\n// WRONG\nvar title: Text { Text(\"You can tap the heart button to save this item to your favorites list\") }\n\n// CORRECT\nvar title: Text { Text(\"Save to Favorites\") }\nvar message: Text? { Text(\"Tap the heart icon to keep items for quick access.\") }\n```\n\n### DON'T: Use tips for critical information\n\nUsers can dismiss tips at any time and they do not reappear. Never put\nessential instructions or safety information in a tip.\n\n```swift\n// WRONG: Critical info in a dismissible tip\nstruct DataLossTip: Tip {\n    var title: Text { Text(\"Unsaved changes will be lost\") }\n}\n\n// CORRECT: Use an alert or inline warning for critical information\n// Reserve tips for feature discovery and progressive disclosure\n```\n\n## Review Checklist\n\n- [ ] `Tips.configure()` called in `App.init`, before any views render\n- [ ] Each tip has a clear, concise title (action-oriented, under ~40 characters)\n- [ ] Tips invalidated when the user performs the discovered action\n- [ ] Rules set so tips appear at the right time (not immediately on first launch for all tips)\n- [ ] `TipGroup` used when multiple tips exist in one view\n- [ ] Testing utilities (`showAllTipsForTesting`, `resetDatastore`) gated behind `#if DEBUG`\n- [ ] CloudKit sync configured if the app supports multiple devices\n- [ ] Display frequency set appropriately (`.daily` or `.weekly` for most apps)\n- [ ] Tips used for feature discovery only, not for critical information\n- [ ] Custom `TipViewStyle` applied consistently if the default style does not match the app design\n- [ ] Tip actions handled and tip invalidated in the action handler\n- [ ] Event donations placed at the correct user action points\n- [ ] Ensure custom Tip types are Sendable; configure Tips on @MainActor\n\n## References\n\n- See [references/tipkit-patterns.md](references/tipkit-patterns.md) for complete implementation patterns\n  including custom styles, event-based rules, tip groups, testing strategies,\n  onboarding flows, and SwiftUI preview configuration.","tags":["tipkit","swift","ios","skills","dpearson2699"],"capabilities":["skill","source-dpearson2699","category-swift-ios-skills"],"categories":["swift-ios-skills"],"synonyms":[],"warnings":[],"endpointUrl":"https://skills.sh/dpearson2699/swift-ios-skills/tipkit","protocol":"skill","transport":"skills-sh","auth":{"type":"none","details":{"install_from":"skills.sh"}},"qualityScore":"0.300","qualityRationale":"deterministic score 0.30 from registry signals: · indexed on skills.sh · published under dpearson2699/swift-ios-skills","verified":false,"liveness":"unknown","lastLivenessCheck":null,"agentReviews":{"count":0,"score_avg":null,"cost_usd_avg":null,"success_rate":null,"latency_p50_ms":null,"narrative_summary":null,"summary_updated_at":null},"enrichmentModel":"deterministic:skill:v1","enrichmentVersion":1,"enrichedAt":"2026-04-22T05:40:39.728Z","embedding":null,"createdAt":"2026-04-18T20:34:06.131Z","updatedAt":"2026-04-22T05:40:39.728Z","lastSeenAt":"2026-04-22T05:40:39.728Z","tsv":"'0':579,720 '0.donations.count':668,724 '12':472 '17':21 '3':669,752,756 '4':482 '40':1546 '5':725 'access':288,1457 'across':170,189,450,794 'act':1327 'action':71,74,252,305,327,601,609,637,662,806,808,817,826,832,858,859,860,868,877,884,1005,1029,1294,1336,1406,1543,1556,1635,1642,1651 'action-ori':251,1542 'action.id':887 'actionperform':895,963,1020,1025,1342 'activ':1374 'ad':851 'add':9,205,236,807 'advanc':712 'advancedtip':693 'alert':1510 'align':479 'alongsid':210 'alreadi':1206 'alway':1373 'anchor':396,410 'anim':367 'anywher':1156 'app':22,141,161,164,171,452,542,674,797,1212,1596,1609,1632 'app.init':102,1158,1530 'appear':38,257,363,449,630,733,1561 'appl':24 'appli':492,1622 'applicationdefault':146,158,218 'appopen':654 'appopenedev':651 'appropri':1603 'argument':1142 'array':515,685 'arrow':404,429 'arrowedg':438 'attach':390 'attempt':125 'awkward':1397 'base':529,533,536,594,1676 'becom':508,546,990 'begin':113 'behavior':967 'behind':1062,1378,1588 'bodi':148,379,948,1195,1217 'bool':564,699 'bottom':439 'break':903 'build':1074,1149 'button':307,420,809,958,1328,1337,1427 'bypass':761,1354 'call':98,116,996,1154,1159,1528 'callout':261,1402 'card':361 'case':157,888,896 'category-swift-ios-skills' 'caus':1184 'chang':1503 'charact':1547 'check':1067 'checklist':91,94,1526 'choos':435 'clear':1111,1539 'cloudkit':184,207,1591 'cloudkitcontain':219 'coach':17 'combin':677 'common':85,88,1150 'common-mistak':87 'compact':260,1400 'complet':1668 'concis':1540 'condit':311,555,620,1172 'configur':459,466,467,771,1593,1659,1687 'configuration.image':473 'configuration.message':486 'configuration.title':483 'conform':224,453 'consist':1623 'contain':208 'content':52,373 'contentview':152,1192,1221 'context':1412 'contextu':13 'control':81,84,180,418,428,447,504,729,993,1053 'coordin':909 'correct':1208,1264,1333,1376,1436,1507,1649 'count':316,617,1039 'creat':442,1169 'critic':1463,1489,1515,1618 'current':979 'currenttip':954,957,991,1279,1282 'custom':175,440,444,1620,1654,1672 'customtipstyl':462,500 'daili':746,777,780,784,1604 'dailytip':740 'datalosstip':1496 'datastor':111,130,212,340,1110,1181 'datastoreloc':145,153,217 'day':793 'debug':1064,1077,1379,1381,1590 'default':159,902,1626 'defin':55,58,222 'defining-tip':57 'describ':1032 'design':1633 'detail':240,300 'develop':1057,1086,1148 'devic':193,204,1599 'dilut':1237 'direct':352,430,814 'disappear':44,365 'disclosur':1524 'discov':641,1004,1555 'discoveri':11,1521,1614 'dismiss':326,1043,1467,1493 'display':30,60,63,127,313,343,521,726,766,924,932,970,1038,1230,1600 'displaycountexceed':1033 'displayfrequ':776 'displaying-tip':62 'donat':602,616,670,1645 'dpearson2699':7 'draw':402 'edit':855 'editor':845,864,867,891 'elig':32,310,321,509,547,985 'emb':349 'enabl':1350 'endif':1120,1383 'ensur':917,1653 'entir':796 'erod':1315 'essenti':1479 'evalu':115 'event':532,593,605,1117,1644,1675 'event-bas':531,592,1674 'everi':203,1365,1368 'except':1157 'exist':1579 'explicit':1042 'extens':173 'fals':565,700 'favorit':274,572,1303,1329,1338,1434,1443 'favoritetip':266,376,377,384,427,437,498,558,1017,1332,1344 'favoritetip.hasseenlist':590 'favoritetip.invalidate':1340 'favoritetip.self':1093 'featur':10,51,644,1520,1613 'featuretip':836,883 'featuretip.invalidate':893 'featureus':706 'featureusedev':703 'file':176 'fire':613 'first':1569 'flicker':1187 'flow':1683 'font':474,484,487 'foregroundstyl':476,489 'forget':1285 'framework':27,401 'frequenc':31,314,727,763,767,1358,1601 'full':179 'func':464 'gate':1060,1377,1587 'get':1393 'global':493,762,765 'group':76,79,905,923,989,1271,1679 'group.currenttip':1280 'groupcontain':165 'handl':824,876,1636 'handler':833,1643 'hasseenlist':563,578 'headlin':485 'heart':281,294,425,1426,1450 'hello':1199 'hide':1095 'hint':14 'hit':1035 'hour':779 'hstack':470 'icloud.com.example.app':221 'icon':246,282,304,1451 'id':653,705,820,861,869 'ideal':625 'identifi':166 'ignor':1246 'ignoresdisplayfrequ':759,803 'imag':242,290,291,292,301,423 'immedi':778,1370,1567 'impact':1239 'implement':457,1669 'import':134,136,263 'includ':1671 'info':1490 'inform':1464,1483,1516,1619 'init':142,1213 'initi':108,966 'inlin':345,1512 'instruct':1480 'interact':815 'invalid':325,332,961,982,994,997,1115,1287,1334,1549,1639 'involv':1105 'io':3,20 'isloggedin':698,719 'item':285,1431,1454 'itemlistview':385 'keep':247,1453 'key':1405 'label':422,823 'late':1204 'later':118 'launch':1141,1570 'layout':355 'lead':245,303,480 'learn':49,871,874,898,1244 'learn-mor':870,897 'leav':1347 'let':375,433,650,702,940,953,1015,1270,1278 'lifecycl':317 'limit':764,1359 'list':589,976,1435 'locat':160,183,213 'logic':689 'long':1390,1391 'longer':1012 'lost':1506 'main':138,1209 'mainactor':1662 'make':1386 'makebodi':458,465 'manag':29 'mani':1226 'mark':18 'match':1630 'max':315 'maxdisplaycount':751 'maximum':1037 'mean':1364 'messag':237,276,298,847,1415,1445 'met':622 'method':1051 'minimum':235 'miss':1185 'mistak':86,89,1151 'mode':713,856 'modifi':1168 'month':782 'multipl':678,681,910,1231,1577,1598 'must':516,687 'myapp':140,1211 'name':220 'navigatetoeditor':892 'navigationtip':945 'never':1070,1477 'new':844,854 'next':959,984 'occur':610 'often':731 'omit':431 'onappear':1165 'onboard':16,1682 'onboardingview':938 'one':790,919,1581 'open':675,863,866,890 'open-editor':862,889 'option':154,155,209,299,302,306,309,312,728,736,749,965 'order':935,943,968,973,1273 'orient':253,1544 'overload':930 'overwhelm':1234 'pad':491 'paramet':528,535,539,550,560,583,695 'parameter-bas':527,534 'pass':324,517,688,1134 'pattern':1670 'pend':318 'per':495,792 'perform':635,1002,1027,1292,1553 'persist':35 'pin':272,570 'place':680,1646 'point':414,1652 'popov':386,395,407 'popovertip':389,426,436,1331,1343 'power':853 'prevent':928 'preview':1686 'prioriti':934,964 'processinfo':1066,1122 'processinfo.processinfo.arguments.contains':1128 'product':1073,1352,1363 'profiletip':946 'programmat':80,83,329,992 'programmatic-control':82 'progress':1523 'properti':295,737 'protocol':230 'provid':231,1049 'put':1403,1478 'quick':287,661,1456 'race':121,1171 'reach':587 'readi':132,1183 'reappear':337,1476 'reason':894,962,998,1019,1021,1341 'refer':95,96,1663 'references/tipkit-patterns.md':1665,1666 'regardless':1081 'relat':643 'relev':1013 'remain':1313 'remind':747 'remov':330 'render':106,357,1178,1207,1534 'requir':297 'reserv':1517 'reset':342,1108 'resetdatastor':1586 'review':90,93,1525 'review-checklist':92 'right':41,1564 'risk':119 'round':360 'rule':33,66,69,114,308,319,323,502,503,511,514,525,537,554,574,575,576,595,612,664,665,666,679,682,715,716,717,722,1083,1356,1557,1677 'run':1071 'safeti':1482 'sandbox':162 'satisfi':552 'save':284,1429,1441 'say':1298 'scene':150,1219 'scheme':1125,1146 'scrollabl':372 'secondari':490 'see':198,1367,1664 'self':577,718 'self.appopenedevent':667 'self.featureusedevent':723 'sendabl':1658 'sequenc':1268 'set':581,769,802,1558,1602 'setup':53,54,97 'sever':638 'share':167 'ship':1360 'short':249 'shortcuttip':647 'shortcuttip.appopenedevent.donate':676 'shortcuttip.self':1094 'show':753,787,1078,1088,1130,1136,1224 'show-all-tip':1129,1135 'showalltipsfortest':1585 'showhelpsheet':900 'simultan':1233 'singl':914 'skill':4,5 'source-dpearson2699' 'space':471,481 'specif':417,800,1090 'star':1301,1309 'state':169,188,543,1114 'static':561,649,696,701,1050 'stay':1323 'storag':182 'strategi':1681 'struct':139,226,265,461,557,646,692,739,835,937,1191,1210,1495 'style':445,1627,1673 'subheadlin':488 'support':239,523,1411,1597 'swift':2,133,214,262,374,419,460,556,645,691,738,773,834,881,936,1014,1075,1126,1189,1248,1320,1371,1416,1487 'swiftui':135,1685 'switch':886 'sync':185,186,1592 'system':434,786 'systemnam':293,424 'tap':279,1299,1307,1424,1448 'task':1167,1200 'test':1046,1059,1101,1124,1348,1583,1680 'text':270,271,277,278,568,569,657,658,709,710,744,745,840,841,848,849,1198,1420,1421,1439,1440,1446,1447,1500,1501 'three':1250 'time':42,607,619,639,672,757,772,927,1256,1471,1565 'tint':477 'tip':12,37,56,59,61,64,65,68,70,73,75,78,110,123,168,187,201,223,229,256,267,334,344,346,370,387,392,413,448,501,507,520,545,559,627,648,694,732,741,791,801,805,812,829,837,904,911,920,929,931,969,980,986,995,1009,1016,1031,1034,1045,1054,1080,1091,1097,1106,1113,1132,1138,1174,1188,1227,1232,1242,1251,1288,1297,1312,1322,1349,1369,1387,1401,1461,1468,1486,1494,1497,1518,1536,1548,1560,1573,1578,1610,1634,1638,1655,1660,1678 'tip-act':72 'tip-group':77 'tip-rul':67 'tip.invalidate':1018 'tipa':1259,1274 'tipb':1261,1275 'tipc':1263,1276 'tipclos':1040 'tipgroup':907,916,941,942,1266,1272,1574 'tipgroup.currenttip':955,960 'tipkit':1,8,26,28,137,264,522,1048 'tipopt':750 'tips.configure':99,144,216,775,1155,1160,1202,1215,1527 'tips.event':597,652,704 'tips.hidealltipsfortesting':1107 'tips.resetdatastore':1119 'tips.showalltipsfortesting':1087,1133,1353,1375,1382 'tips.showtipsfortesting':1092 'tipview':348,351,383,497,882,956,1258,1260,1262,1281 'tipviewstyl':441,455,463,499,1621 'titl':233,248,269,296,567,656,708,743,839,865,873,1388,1392,1409,1419,1438,1499,1541 'title2':475 'togglefavorit':421,1330,1339 'total':758 'track':541,599 'tri':143,215,659,774,842,1118,1176,1201,1214 'true':580,591,721,760,804,901 'truncat':1394 'trust':1316 'two':524 'type':526,1656 'ui':1100,1319 'unless':338,798 'unlock':711 'unsatisfi':320 'unsav':1502 'url':174,177 'use':23,156,368,411,538,596,734,906,1024,1084,1098,1121,1265,1460,1508,1575,1611 'user':47,191,586,600,633,1001,1026,1041,1235,1243,1291,1306,1326,1366,1465,1552,1650 'util':1047,1584 'valu':551 'var':147,268,275,289,378,562,566,573,655,663,697,707,714,742,748,838,846,857,947,1194,1216,1418,1437,1444,1498 'view':105,124,381,399,469,496,830,880,915,939,950,1163,1175,1193,1197,1205,1533,1582 'visibl':1055,1252,1324 'vstack':382,478,951,1257 'warn':1513 'week':781,1606 'welcometip':944 'windowgroup':151,1220 'within':371,912 'without':640 'wrap':1396 'wrong':1190,1249,1321,1372,1417,1488 'xcode':1145","prices":[{"id":"b6f772f4-c691-4edd-8acc-85688694798e","listingId":"72c4d44c-c3c3-4fbc-8002-84f1da926d6a","amountUsd":"0","unit":"free","nativeCurrency":null,"nativeAmount":null,"chain":null,"payTo":null,"paymentMethod":"skill-free","isPrimary":true,"details":{"org":"dpearson2699","category":"swift-ios-skills","install_from":"skills.sh"},"createdAt":"2026-04-18T20:34:06.131Z"}],"sources":[{"listingId":"72c4d44c-c3c3-4fbc-8002-84f1da926d6a","source":"github","sourceId":"dpearson2699/swift-ios-skills/tipkit","sourceUrl":"https://github.com/dpearson2699/swift-ios-skills/tree/main/skills/tipkit","isPrimary":false,"firstSeenAt":"2026-04-18T22:01:30.307Z","lastSeenAt":"2026-04-22T00:53:45.886Z"},{"listingId":"72c4d44c-c3c3-4fbc-8002-84f1da926d6a","source":"skills_sh","sourceId":"dpearson2699/swift-ios-skills/tipkit","sourceUrl":"https://skills.sh/dpearson2699/swift-ios-skills/tipkit","isPrimary":true,"firstSeenAt":"2026-04-18T20:34:06.131Z","lastSeenAt":"2026-04-22T05:40:39.728Z"}],"details":{"listingId":"72c4d44c-c3c3-4fbc-8002-84f1da926d6a","quickStartSnippet":null,"exampleRequest":null,"exampleResponse":null,"schema":null,"openapiUrl":null,"agentsTxtUrl":null,"citations":[],"useCases":[],"bestFor":[],"notFor":[],"kindDetails":{"org":"dpearson2699","slug":"tipkit","source":"skills_sh","category":"swift-ios-skills","skills_sh_url":"https://skills.sh/dpearson2699/swift-ios-skills/tipkit"},"updatedAt":"2026-04-22T05:40:39.728Z"}}