fix: comprehensive codebase hardening — crashes, silent failures, performance, and security

Fixes ~95 issues from deep audit across 12 categories in 82 files:

- Crash prevention: double-resume in PhotoMetadataExtractor, force unwraps in
  DateRangePicker, array bounds checks in polls/achievements, ProGate hit-test
  bypass, Dictionary(uniqueKeysWithValues:) → uniquingKeysWith in 4 files
- Silent failure elimination: all 34 try? sites replaced with do/try/catch +
  logging (SavedTrip, TripDetailView, CanonicalSyncService, BootstrapService,
  CanonicalModels, CKModels, SportsTimeApp, and more)
- Performance: cached DateFormatters (7 files), O(1) team lookups via
  AppDataProvider, achievement definition dictionary, AnimatedBackground
  consolidated from 19 Tasks to 1, task cancellation in SharePreviewView
- Concurrency: UIKit drawing → MainActor.run, background fetch timeout guard,
  @MainActor on ThemeManager/AppearanceManager, SyncLogger read/write race fix
- Planning engine: game end time in travel feasibility, state-aware city
  normalization, exact city matching, DrivingConstraints parameter propagation
- IAP: unknown subscription states → expired, unverified transaction logging,
  entitlements updated before paywall dismiss, restore visible to all users
- Security: API key to Info.plist lookup, filename sanitization in PDF export,
  honest User-Agent, removed stale "Feels" analytics super properties
- Navigation: consolidated competing navigationDestination, boolean → value-based
- Testing: 8 sleep() → waitForExistence, duplicates extracted, Swift 6 compat
- Service bugs: infinite retry cap, duplicate achievement prevention, TOCTOU vote
  fix, PollVote.odg → voterId rename, deterministic placeholder IDs, parallel
  MKDirections, Sendable-safe POI struct

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
Trey t
2026-02-27 17:03:09 -06:00
parent e046cb6b34
commit c94e373e33
82 changed files with 1163 additions and 599 deletions

View File

@@ -664,7 +664,10 @@ struct SavedTripsListView: View {
do {
polls = try await PollService.shared.fetchMyPolls()
} catch {
// Silently fail - polls just won't show
#if DEBUG
print("⚠️ [HomeView] Failed to load polls: \(error)")
#endif
polls = []
}
isLoadingPolls = false
}

View File

@@ -19,7 +19,7 @@ struct ProGateModifier: ViewModifier {
showPaywall = true
}
}
.allowsHitTesting(!StoreManager.shared.isPro ? true : true)
.allowsHitTesting(StoreManager.shared.isPro)
.overlay {
if !StoreManager.shared.isPro {
Color.clear

View File

@@ -75,6 +75,7 @@ struct PaywallView: View {
}
.storeButton(.visible, for: .restorePurchases)
.storeButton(.visible, for: .redeemCode)
.storeButton(.visible, for: .policies)
.subscriptionStoreControlStyle(.prominentPicker)
.subscriptionStoreButtonLabel(.displayName.multiline)
.onInAppPurchaseStart { product in
@@ -85,10 +86,11 @@ struct PaywallView: View {
case .success(.success(_)):
AnalyticsManager.shared.trackPurchaseCompleted(productId: product.id, source: source)
Task { @MainActor in
// Update entitlements BEFORE dismissing so isPro reflects new state
await storeManager.updateEntitlements()
storeManager.trackSubscriptionAnalytics(source: "purchase_success")
dismiss()
}
dismiss()
case .success(.userCancelled):
AnalyticsManager.shared.trackPurchaseFailed(productId: product.id, source: source, error: "user_cancelled")
case .success(.pending):

View File

@@ -56,7 +56,7 @@ final class PollVotingViewModel {
let vote = PollVote(
pollId: pollId,
odg: userId,
voterId: userId,
rankings: rankings
)

View File

@@ -11,6 +11,7 @@ struct PollCreationView: View {
@Environment(\.dismiss) private var dismiss
@Environment(\.colorScheme) private var colorScheme
@State private var viewModel = PollCreationViewModel()
@State private var showError = false
let trips: [Trip]
var onPollCreated: ((TripPoll) -> Void)?
@@ -74,7 +75,7 @@ struct PollCreationView: View {
.background(.ultraThinMaterial)
}
}
.alert("Error", isPresented: .constant(viewModel.error != nil)) {
.alert("Error", isPresented: $showError) {
Button("OK") {
viewModel.error = nil
}
@@ -83,6 +84,9 @@ struct PollCreationView: View {
Text(error.localizedDescription)
}
}
.onChange(of: viewModel.error != nil) { _, hasError in
showError = hasError
}
.onChange(of: viewModel.createdPoll) { _, newPoll in
if let poll = newPoll {
onPollCreated?(poll)

View File

@@ -277,15 +277,17 @@ struct PollDetailView: View {
VStack(spacing: Theme.Spacing.sm) {
ForEach(Array(results.tripScores.enumerated()), id: \.element.tripIndex) { index, item in
let trip = results.poll.tripSnapshots[item.tripIndex]
let rank = index + 1
ResultRow(
rank: rank,
tripName: trip.displayName,
score: item.score,
percentage: results.scorePercentage(for: item.tripIndex),
isLeader: rank == 1 && item.score > 0
)
if item.tripIndex < results.poll.tripSnapshots.count {
let trip = results.poll.tripSnapshots[item.tripIndex]
let rank = index + 1
ResultRow(
rank: rank,
tripName: trip.displayName,
score: item.score,
percentage: results.scorePercentage(for: item.tripIndex),
isLeader: rank == 1 && item.score > 0
)
}
}
}
}

View File

@@ -11,6 +11,7 @@ struct PollVotingView: View {
@Environment(\.dismiss) private var dismiss
@Environment(\.colorScheme) private var colorScheme
@State private var viewModel = PollVotingViewModel()
@State private var showError = false
let poll: TripPoll
let existingVote: PollVote?
@@ -23,24 +24,7 @@ struct PollVotingView: View {
instructionsHeader
// Reorderable list
List {
ForEach(Array(viewModel.rankings.enumerated()), id: \.element) { index, tripIndex in
RankingRow(
rank: index + 1,
trip: poll.tripSnapshots[tripIndex],
canMoveUp: index > 0,
canMoveDown: index < viewModel.rankings.count - 1,
onMoveUp: { viewModel.moveTripUp(at: index) },
onMoveDown: { viewModel.moveTripDown(at: index) }
)
.accessibilityHint("Drag to change ranking position, or use move up and move down buttons")
.listRowBackground(Theme.cardBackground(colorScheme))
.listRowSeparatorTint(Theme.surfaceGlow(colorScheme))
}
.onMove { source, destination in
viewModel.moveTrip(from: source, to: destination)
}
}
rankingList
.listStyle(.plain)
.scrollContentBackground(.hidden)
.environment(\.editMode, .constant(.active))
@@ -64,7 +48,7 @@ struct PollVotingView: View {
existingVote: existingVote
)
}
.alert("Error", isPresented: .constant(viewModel.error != nil)) {
.alert("Error", isPresented: $showError) {
Button("OK") {
viewModel.error = nil
}
@@ -73,6 +57,9 @@ struct PollVotingView: View {
Text(error.localizedDescription)
}
}
.onChange(of: viewModel.error != nil) { _, hasError in
showError = hasError
}
.onChange(of: viewModel.didSubmit) { _, didSubmit in
if didSubmit {
onVoteSubmitted?()
@@ -82,6 +69,29 @@ struct PollVotingView: View {
}
}
private var rankingList: some View {
List {
ForEach(Array(viewModel.rankings.enumerated()), id: \.element) { index, tripIndex in
if tripIndex < poll.tripSnapshots.count {
RankingRow(
rank: index + 1,
trip: poll.tripSnapshots[tripIndex],
canMoveUp: index > 0,
canMoveDown: index < viewModel.rankings.count - 1,
onMoveUp: { viewModel.moveTripUp(at: index) },
onMoveDown: { viewModel.moveTripDown(at: index) }
)
.accessibilityHint("Drag to change ranking position, or use move up and move down buttons")
.listRowBackground(Theme.cardBackground(colorScheme))
.listRowSeparatorTint(Theme.surfaceGlow(colorScheme))
}
}
.onMove { source, destination in
viewModel.moveTrip(from: source, to: destination)
}
}
}
@ViewBuilder
private var instructionsHeader: some View {
VStack(spacing: 8) {

View File

@@ -72,6 +72,9 @@ struct PollsListView: View {
.navigationDestination(item: $pendingJoinCode) { code in
PollDetailView(shareCode: code.value)
}
.navigationDestination(for: TripPoll.self) { poll in
PollDetailView(poll: poll)
}
.alert(
"Error",
isPresented: Binding(
@@ -107,9 +110,6 @@ struct PollsListView: View {
}
}
.listStyle(.plain)
.navigationDestination(for: TripPoll.self) { poll in
PollDetailView(poll: poll)
}
}
private func loadPolls() async {

View File

@@ -183,15 +183,15 @@ final class ProgressViewModel {
stadiumVisitStatus = statusMap
// Pre-compute sport progress fractions for SportSelectorGrid
var sportCounts: [Sport: Int] = [:]
var uniqueStadiumIdsBySport: [Sport: Set<String>] = [:]
for visit in visits {
if let sport = visit.sportEnum {
sportCounts[sport, default: 0] += 1
uniqueStadiumIdsBySport[sport, default: []].insert(visit.stadiumId)
}
}
sportProgressFractions = Dictionary(uniqueKeysWithValues: Sport.supported.map { sport in
let total = LeagueStructure.stadiumCount(for: sport)
let visited = min(sportCounts[sport] ?? 0, total)
let visited = min(uniqueStadiumIdsBySport[sport]?.count ?? 0, total)
return (sport, total > 0 ? Double(visited) / Double(total) : 0)
})

View File

@@ -304,11 +304,15 @@ struct GameMatchConfirmationView: View {
// MARK: - Helpers
private static let longDateShortTimeFormatter: DateFormatter = {
let f = DateFormatter()
f.dateStyle = .long
f.timeStyle = .short
return f
}()
private func formatDate(_ date: Date) -> String {
let formatter = DateFormatter()
formatter.dateStyle = .long
formatter.timeStyle = .short
return formatter.string(from: date)
Self.longDateShortTimeFormatter.string(from: date)
}
private func confidenceColor(_ confidence: MatchConfidence) -> Color {

View File

@@ -478,10 +478,14 @@ struct PhotoImportCandidateCard: View {
.clipShape(Capsule())
}
private static let mediumDateFormatter: DateFormatter = {
let f = DateFormatter()
f.dateStyle = .medium
return f
}()
private func formatDate(_ date: Date) -> String {
let formatter = DateFormatter()
formatter.dateStyle = .medium
return formatter.string(from: date)
Self.mediumDateFormatter.string(from: date)
}
}

View File

@@ -63,7 +63,7 @@ struct ProgressTabView: View {
}
}
.onChange(of: visits, initial: true) { _, newVisits in
visitsById = Dictionary(uniqueKeysWithValues: newVisits.map { ($0.id, $0) })
visitsById = Dictionary(newVisits.map { ($0.id, $0) }, uniquingKeysWith: { _, last in last })
}
.task {
viewModel.configure(with: modelContext.container)

View File

@@ -411,15 +411,15 @@ struct StadiumVisitSheet: View {
source: .manual
)
// Save to SwiftData
modelContext.insert(visit)
// Save to SwiftData insert and save together so we can clean up on failure
do {
modelContext.insert(visit)
try modelContext.save()
AnalyticsManager.shared.track(.stadiumVisitAdded(stadiumId: stadium.id, sport: selectedSport.rawValue))
onSave?(visit)
dismiss()
} catch {
modelContext.delete(visit)
errorMessage = "Failed to save visit: \(error.localizedDescription)"
isSaving = false
}

View File

@@ -18,6 +18,7 @@ struct VisitDetailView: View {
@State private var isEditing = false
@State private var showDeleteConfirmation = false
@State private var errorMessage: String?
// Edit state
@State private var editVisitDate: Date
@@ -134,6 +135,18 @@ struct VisitDetailView: View {
} message: {
Text("Are you sure you want to delete this visit? This action cannot be undone.")
}
.alert("Error", isPresented: Binding(
get: { errorMessage != nil },
set: { if !$0 { errorMessage = nil } }
)) {
Button("OK", role: .cancel) {
errorMessage = nil
}
} message: {
if let errorMessage {
Text(errorMessage)
}
}
}
// MARK: - Header
@@ -435,17 +448,25 @@ struct VisitDetailView: View {
visit.sportEnum?.themeColor ?? Theme.warmOrange
}
private static let longDateFormatter: DateFormatter = {
let f = DateFormatter()
f.dateStyle = .long
return f
}()
private static let mediumDateShortTimeFormatter: DateFormatter = {
let f = DateFormatter()
f.dateStyle = .medium
f.timeStyle = .short
return f
}()
private var formattedDate: String {
let formatter = DateFormatter()
formatter.dateStyle = .long
return formatter.string(from: visit.visitDate)
Self.longDateFormatter.string(from: visit.visitDate)
}
private var formattedCreatedDate: String {
let formatter = DateFormatter()
formatter.dateStyle = .medium
formatter.timeStyle = .short
return formatter.string(from: visit.createdAt)
Self.mediumDateShortTimeFormatter.string(from: visit.createdAt)
}
// MARK: - Actions
@@ -472,7 +493,12 @@ struct VisitDetailView: View {
visit.dataSource = .userCorrected
}
try? modelContext.save()
do {
try modelContext.save()
} catch {
errorMessage = "Failed to save: \(error.localizedDescription)"
return
}
withAnimation {
isEditing = false
@@ -506,7 +532,12 @@ struct VisitDetailView: View {
private func deleteVisit() {
modelContext.delete(visit)
try? modelContext.save()
do {
try modelContext.save()
} catch {
errorMessage = "Failed to delete: \(error.localizedDescription)"
return
}
dismiss()
}
}

View File

@@ -200,17 +200,21 @@ struct ScheduleListView: View {
// MARK: - Helpers
private static let sectionDateFormatter: DateFormatter = {
let f = DateFormatter()
f.dateFormat = "EEEE, MMM d"
return f
}()
private func formatSectionDate(_ date: Date) -> String {
let calendar = Calendar.current
let formatter = DateFormatter()
if calendar.isDateInToday(date) {
return "Today"
} else if calendar.isDateInTomorrow(date) {
return "Tomorrow"
} else {
formatter.dateFormat = "EEEE, MMM d"
return formatter.string(from: date)
return Self.sectionDateFormatter.string(from: date)
}
}
}

View File

@@ -223,13 +223,23 @@ final class DebugShareExporter {
// Pick a few representative achievements across sports
let defs = AchievementRegistry.all
let sampleDefs = [
defs.first { $0.sport == .mlb } ?? defs[0],
defs.first { $0.sport == .nba } ?? defs[1],
defs.first { $0.sport == .nhl } ?? defs[2],
defs.first { $0.name.lowercased().contains("complete") } ?? defs[3],
defs.first { $0.category == .journey } ?? defs[min(4, defs.count - 1)]
guard !defs.isEmpty else {
exportPath = exportDir.path
currentStep = "Export complete! (no achievements found)"
isExporting = false
return
}
let fallback = defs[0]
var sampleDefs: [AchievementDefinition] = [
defs.first { $0.sport == .mlb } ?? fallback,
defs.first { $0.sport == .nba } ?? fallback,
defs.first { $0.sport == .nhl } ?? fallback,
defs.first { $0.name.lowercased().contains("complete") } ?? fallback,
defs.first { $0.category == .journey } ?? fallback
]
// Deduplicate in case multiple fallbacks resolved to the same definition
var seen = Set<String>()
sampleDefs = sampleDefs.filter { seen.insert($0.id).inserted }
totalCount = sampleDefs.count
@@ -407,9 +417,9 @@ final class DebugShareExporter {
static func buildSamplePoll() -> TripPoll {
let trips = buildDummyTrips()
let sampleVotes = [
PollVote(pollId: UUID(), odg: "voter1", rankings: [0, 2, 1, 3]),
PollVote(pollId: UUID(), odg: "voter2", rankings: [2, 0, 3, 1]),
PollVote(pollId: UUID(), odg: "voter3", rankings: [0, 1, 2, 3]),
PollVote(pollId: UUID(), voterId: "voter1", rankings: [0, 2, 1, 3]),
PollVote(pollId: UUID(), voterId: "voter2", rankings: [2, 0, 3, 1]),
PollVote(pollId: UUID(), voterId: "voter3", rankings: [0, 1, 2, 3]),
]
_ = sampleVotes // votes are shown via PollResults, we pass them separately
@@ -422,9 +432,9 @@ final class DebugShareExporter {
static func buildSampleVotes(for poll: TripPoll) -> [PollVote] {
[
PollVote(pollId: poll.id, odg: "voter-alex", rankings: [0, 2, 1, 3]),
PollVote(pollId: poll.id, odg: "voter-sam", rankings: [2, 0, 3, 1]),
PollVote(pollId: poll.id, odg: "voter-jordan", rankings: [0, 1, 2, 3]),
PollVote(pollId: poll.id, voterId: "voter-alex", rankings: [0, 2, 1, 3]),
PollVote(pollId: poll.id, voterId: "voter-sam", rankings: [2, 0, 3, 1]),
PollVote(pollId: poll.id, voterId: "voter-jordan", rankings: [0, 1, 2, 3]),
]
}

View File

@@ -239,11 +239,9 @@ struct SportsIconImageGeneratorView: View {
private func generateNewImage() {
isGenerating = true
// Generate on background thread to avoid UI freeze
// Generate image (UIKit drawing requires main thread)
Task {
let image = await Task.detached(priority: .userInitiated) {
SportsIconImageGenerator.generateImage()
}.value
let image = SportsIconImageGenerator.generateImage()
withAnimation {
generatedImage = image

View File

@@ -807,15 +807,6 @@ struct SettingsView: View {
.buttonStyle(.plain)
.accessibilityIdentifier("settings.upgradeProButton")
Button {
Task {
await StoreManager.shared.restorePurchases(source: "settings")
}
} label: {
Label("Restore Purchases", systemImage: "arrow.clockwise")
}
.accessibilityIdentifier("settings.restorePurchasesButton")
Button {
showRedeemCode = true
} label: {
@@ -823,6 +814,16 @@ struct SettingsView: View {
}
.accessibilityIdentifier("settings.redeemCodeButton")
}
// Restore Purchases available to ALL users (not just free users)
Button {
Task {
await StoreManager.shared.restorePurchases(source: "settings")
}
} label: {
Label("Restore Purchases", systemImage: "arrow.clockwise")
}
.accessibilityIdentifier("settings.restorePurchasesButton")
} header: {
Text("Subscription")
}

View File

@@ -101,7 +101,7 @@ struct POIDetailSheet: View {
highlight: true
)
if let url = poi.mapItem?.url {
if let url = poi.url {
Link(destination: url) {
metadataRow(icon: "globe", text: url.host ?? "Website", isLink: true)
}
@@ -133,19 +133,17 @@ struct POIDetailSheet: View {
.tint(Theme.warmOrange)
.accessibilityLabel("Add \(poi.name) to Day \(day)")
if poi.mapItem != nil {
Button {
poi.mapItem?.openInMaps()
} label: {
Label("Open in Apple Maps", systemImage: "map.fill")
.font(.body.weight(.medium))
.frame(maxWidth: .infinity)
.padding(.vertical, Theme.Spacing.md)
}
.buttonStyle(.bordered)
.tint(Theme.textSecondary(colorScheme))
.accessibilityLabel("Open \(poi.name) in Apple Maps")
Button {
poi.openInMaps()
} label: {
Label("Open in Apple Maps", systemImage: "map.fill")
.font(.body.weight(.medium))
.frame(maxWidth: .infinity)
.padding(.vertical, Theme.Spacing.md)
}
.buttonStyle(.bordered)
.tint(Theme.textSecondary(colorScheme))
.accessibilityLabel("Open \(poi.name) in Apple Maps")
}
}
.padding(Theme.Spacing.lg)

View File

@@ -346,15 +346,17 @@ struct PlaceSearchSheet: View {
let search = MKLocalSearch(request: request)
search.start { response, error in
isSearching = false
Task { @MainActor in
isSearching = false
if let error {
searchError = error.localizedDescription
return
}
if let error {
searchError = error.localizedDescription
return
}
if let response {
searchResults = response.mapItems
if let response {
searchResults = response.mapItems
}
}
}
}

View File

@@ -833,6 +833,7 @@ enum ItineraryReorderingLogic {
/// Keys are formatted as "travel:INDEX:from->to".
/// When multiple keys share the same city pair (repeat visits), matches by
/// checking all keys and preferring the one whose index matches the model's segmentIndex.
/// Falls back to using segment UUID to ensure unique keys for different segments.
private static func travelIdForSegment(
_ segment: TravelSegment,
in travelValidRanges: [String: ClosedRange<Int>],
@@ -855,8 +856,9 @@ enum ItineraryReorderingLogic {
return key
}
// Fallback: return first match or construct without index
return matchingKeys.first ?? "travel:\(suffix)"
// Include segment UUID to make keys unique when multiple segments share
// the same from/to city pair (e.g., repeat visits like A->B, C->B)
return matchingKeys.first ?? "travel:\(segment.id.uuidString):\(suffix)"
}
// MARK: - Utility Functions
@@ -915,8 +917,7 @@ enum ItineraryReorderingLogic {
/// - sourceRow: The original row (fallback if no valid destination found)
/// - Returns: The target row to use (in proposed coordinate space)
///
/// - Note: Uses O(n) contains check. For repeated calls, consider passing a Set instead.
/// However, validDestinationRows is typically small (< 50 items), so this is fine.
/// - Note: Uses a Set for O(1) containment check on validDestinationRows.
static func calculateTargetRow(
proposedRow: Int,
validDestinationRows: [Int],
@@ -925,12 +926,13 @@ enum ItineraryReorderingLogic {
// UX rule: forbid dropping at absolute top (row 0 is always a day header)
var row = proposedRow
if row <= 0 { row = 1 }
// If already valid, use it
if validDestinationRows.contains(row) {
// Use Set for O(1) containment check instead of O(n) Array.contains
let validDestinationSet = Set(validDestinationRows)
if validDestinationSet.contains(row) {
return row
}
// Snap to nearest valid destination (validDestinationRows must be sorted for binary search)
return nearestValue(in: validDestinationRows, to: row) ?? sourceRow
}

View File

@@ -1397,9 +1397,13 @@ struct TripDetailView: View {
predicate: #Predicate { $0.id == tripId }
)
if let count = try? modelContext.fetchCount(descriptor), count > 0 {
isSaved = true
} else {
do {
let count = try modelContext.fetchCount(descriptor)
isSaved = count > 0
} catch {
#if DEBUG
print("⚠️ [TripDetail] Failed to check save status: \(error)")
#endif
isSaved = false
}
}
@@ -1416,7 +1420,15 @@ struct TripDetailView: View {
let descriptor = FetchDescriptor<LocalItineraryItem>(
predicate: #Predicate { $0.tripId == tripId }
)
let localModels = (try? modelContext.fetch(descriptor)) ?? []
let localModels: [LocalItineraryItem]
do {
localModels = try modelContext.fetch(descriptor)
} catch {
#if DEBUG
print("⚠️ [ItineraryItems] Failed to fetch local items: \(error)")
#endif
localModels = []
}
let localItems = localModels.compactMap(\.toItem)
let pendingLocalItems = localModels.compactMap { local -> ItineraryItem? in
guard local.pendingSync else { return nil }
@@ -1524,14 +1536,24 @@ struct TripDetailView: View {
let descriptor = FetchDescriptor<LocalItineraryItem>(
predicate: #Predicate { $0.tripId == tripId }
)
let existing = (try? modelContext.fetch(descriptor)) ?? []
for old in existing { modelContext.delete(old) }
do {
let existing = try modelContext.fetch(descriptor)
for old in existing { modelContext.delete(old) }
} catch {
#if DEBUG
print("⚠️ [ItineraryItems] Failed to fetch existing local items for sync: \(error)")
#endif
}
for item in items {
if let local = LocalItineraryItem.from(item, pendingSync: pendingSyncItemIDs.contains(item.id)) {
modelContext.insert(local)
}
}
try? modelContext.save()
do {
try modelContext.save()
} catch {
persistenceErrorMessage = "Failed to sync itinerary cache: \(error.localizedDescription)"
}
}
private func saveItineraryItem(_ item: ItineraryItem) async {
@@ -1581,30 +1603,55 @@ struct TripDetailView: View {
let descriptor = FetchDescriptor<LocalItineraryItem>(
predicate: #Predicate { $0.id == itemId }
)
if let existing = try? modelContext.fetch(descriptor).first {
existing.day = item.day
existing.sortOrder = item.sortOrder
existing.kindData = (try? JSONEncoder().encode(item.kind)) ?? existing.kindData
existing.modifiedAt = item.modifiedAt
existing.pendingSync = true
} else if let local = LocalItineraryItem.from(item, pendingSync: true) {
modelContext.insert(local)
do {
if let existing = try modelContext.fetch(descriptor).first {
existing.day = item.day
existing.sortOrder = item.sortOrder
do {
existing.kindData = try JSONEncoder().encode(item.kind)
} catch {
#if DEBUG
print("⚠️ [ItineraryItems] Failed to encode item kind: \(error)")
#endif
}
existing.modifiedAt = item.modifiedAt
existing.pendingSync = true
} else if let local = LocalItineraryItem.from(item, pendingSync: true) {
modelContext.insert(local)
}
} catch {
#if DEBUG
print("⚠️ [ItineraryItems] Failed to fetch local item for update: \(error)")
#endif
if let local = LocalItineraryItem.from(item, pendingSync: true) {
modelContext.insert(local)
}
}
} else {
if let local = LocalItineraryItem.from(item, pendingSync: true) {
modelContext.insert(local)
}
}
try? modelContext.save()
do {
try modelContext.save()
} catch {
persistenceErrorMessage = "Failed to save itinerary item: \(error.localizedDescription)"
}
}
private func markLocalItemSynced(_ itemId: UUID) {
let descriptor = FetchDescriptor<LocalItineraryItem>(
predicate: #Predicate { $0.id == itemId }
)
if let local = try? modelContext.fetch(descriptor).first {
local.pendingSync = false
try? modelContext.save()
do {
if let local = try modelContext.fetch(descriptor).first {
local.pendingSync = false
try modelContext.save()
}
} catch {
#if DEBUG
print("⚠️ [ItineraryItems] Failed to mark item synced: \(error)")
#endif
}
}
@@ -1622,9 +1669,13 @@ struct TripDetailView: View {
let descriptor = FetchDescriptor<LocalItineraryItem>(
predicate: #Predicate { $0.id == itemId }
)
if let local = try? modelContext.fetch(descriptor).first {
modelContext.delete(local)
try? modelContext.save()
do {
if let local = try modelContext.fetch(descriptor).first {
modelContext.delete(local)
try modelContext.save()
}
} catch {
persistenceErrorMessage = "Failed to delete itinerary item: \(error.localizedDescription)"
}
// Delete from CloudKit

View File

@@ -138,7 +138,6 @@ struct TripOptionsView: View {
let convertToTrip: (ItineraryOption) -> Trip
@State private var selectedTrip: Trip?
@State private var showTripDetail = false
@State private var sortOption: TripSortOption = .recommended
@State private var citiesFilter: CitiesFilter = .noLimit
@State private var paceFilter: TripPaceFilter = .all
@@ -281,7 +280,6 @@ struct TripOptionsView: View {
games: games,
onSelect: {
selectedTrip = convertToTrip(option)
showTripDetail = true
}
)
.accessibilityIdentifier("tripOptions.trip.\(index)")
@@ -313,15 +311,8 @@ struct TripOptionsView: View {
}
#endif
} // ScrollViewReader
.navigationDestination(isPresented: $showTripDetail) {
if let trip = selectedTrip {
TripDetailView(trip: trip)
}
}
.onChange(of: showTripDetail) { _, isShowing in
if !isShowing {
selectedTrip = nil
}
.navigationDestination(item: $selectedTrip) { trip in
TripDetailView(trip: trip)
}
.onAppear {
if isDemoMode && !hasAppliedDemoSelection {
@@ -338,7 +329,6 @@ struct TripOptionsView: View {
if sortedOptions.count > DemoConfig.demoTripIndex {
let option = sortedOptions[DemoConfig.demoTripIndex]
selectedTrip = convertToTrip(option)
showTripDetail = true
}
}
}

View File

@@ -41,7 +41,9 @@ struct DateRangePicker: View {
var days: [Date?] = []
let startOfMonth = monthInterval.start
let endOfMonth = calendar.date(byAdding: .day, value: -1, to: monthInterval.end)!
guard let endOfMonth = calendar.date(byAdding: .day, value: -1, to: monthInterval.end) else {
return []
}
// Get the first day of the week containing the first day of the month
var currentDate = monthFirstWeek.start
@@ -57,7 +59,10 @@ struct DateRangePicker: View {
} else {
break
}
currentDate = calendar.date(byAdding: .day, value: 1, to: currentDate)!
guard let nextDate = calendar.date(byAdding: .day, value: 1, to: currentDate) else {
break
}
currentDate = nextDate
}
return days

View File

@@ -249,8 +249,13 @@ struct GamePickerStep: View {
private func loadSummaryGames() async {
var games: [RichGame] = []
for teamId in selectedTeamIds {
if let teamGames = try? await AppDataProvider.shared.gamesForTeam(teamId: teamId) {
do {
let teamGames = try await AppDataProvider.shared.gamesForTeam(teamId: teamId)
games.append(contentsOf: teamGames)
} catch {
#if DEBUG
print("⚠️ [GamePickerStep] Failed to load summary games for team \(teamId): \(error)")
#endif
}
}
await MainActor.run {
@@ -635,9 +640,14 @@ private struct GamesPickerSheet: View {
private func loadGames() async {
var allGames: [RichGame] = []
for teamId in selectedTeamIds {
if let teamGames = try? await AppDataProvider.shared.gamesForTeam(teamId: teamId) {
do {
let teamGames = try await AppDataProvider.shared.gamesForTeam(teamId: teamId)
let futureGames = teamGames.filter { $0.game.dateTime > Date() }
allGames.append(contentsOf: futureGames)
} catch {
#if DEBUG
print("⚠️ [GamePickerStep] Failed to load games for team \(teamId): \(error)")
#endif
}
}

View File

@@ -21,7 +21,7 @@ struct MustStopsStep: View {
if !mustStopLocations.isEmpty {
VStack(spacing: Theme.Spacing.xs) {
ForEach(mustStopLocations, id: \.name) { location in
ForEach(Array(mustStopLocations.enumerated()), id: \.offset) { _, location in
HStack {
Image(systemName: "mappin.circle.fill")
.foregroundStyle(Theme.warmOrange)

View File

@@ -126,9 +126,14 @@ struct ReviewStep: View {
}
}
private static let mediumDateFormatter: DateFormatter = {
let f = DateFormatter()
f.dateStyle = .medium
return f
}()
private var dateRangeText: String {
let formatter = DateFormatter()
formatter.dateStyle = .medium
let formatter = Self.mediumDateFormatter
return "\(formatter.string(from: startDate)) - \(formatter.string(from: endDate))"
}
}

View File

@@ -18,7 +18,7 @@ struct TeamPickerStep: View {
private var selectedTeam: Team? {
guard let teamId = selectedTeamId else { return nil }
return AppDataProvider.shared.teams.first { $0.id == teamId }
return AppDataProvider.shared.team(for: teamId)
}
var body: some View {

View File

@@ -18,7 +18,7 @@ struct TeamFirstWizardStep: View {
private var selectedTeams: [Team] {
selectedTeamIds.compactMap { teamId in
AppDataProvider.shared.teams.first { $0.id == teamId }
AppDataProvider.shared.team(for: teamId)
}.sorted { $0.fullName < $1.fullName }
}

View File

@@ -193,8 +193,8 @@ struct TripWizardView: View {
let preferences = buildPreferences()
// Build dictionaries from arrays
let teamsById = Dictionary(uniqueKeysWithValues: AppDataProvider.shared.teams.map { ($0.id, $0) })
let stadiumsById = Dictionary(uniqueKeysWithValues: AppDataProvider.shared.stadiums.map { ($0.id, $0) })
let teamsById = Dictionary(AppDataProvider.shared.teams.map { ($0.id, $0) }, uniquingKeysWith: { _, last in last })
let stadiumsById = Dictionary(AppDataProvider.shared.stadiums.map { ($0.id, $0) }, uniquingKeysWith: { _, last in last })
// For gameFirst mode, use the UI-selected date range (set by GamePickerStep)
// The date range is a 7-day span centered on the selected game(s)