live-activities
Compare original and translation side by side
🇺🇸
Original
English🇨🇳
Translation
ChineseLive Activities and Dynamic Island
Live Activities 与 Dynamic Island
Build real-time, glanceable experiences on the Lock Screen, Dynamic Island,
StandBy, CarPlay, and Mac menu bar using ActivityKit. Patterns target iOS 26+
with Swift 6.2, backward-compatible to iOS 16.1 unless noted.
See for complete code patterns including push payload formats, concurrent activities, state observation, and testing.
references/live-activity-patterns.md使用ActivityKit在锁屏、Dynamic Island、StandBy、CarPlay和Mac菜单栏上构建实时、一目了然的体验。相关模式针对iOS 26+与Swift 6.2设计,除非特别说明,否则向下兼容至iOS 16.1。
完整代码模式(包括推送负载格式、并发活动、状态监听和测试)请查看。
references/live-activity-patterns.mdWorkflow
工作流程
1. Create a new Live Activity
1. 创建新的Live Activity
- Add to the host app's Info.plist.
NSSupportsLiveActivities = YES - Define an struct with a nested
ActivityAttributes.ContentState - Create an in the widget bundle with Lock Screen content and Dynamic Island closures.
ActivityConfiguration - Start the activity with .
Activity.request(attributes:content:pushType:) - Update with and end with
activity.update(_:).activity.end(_:dismissalPolicy:) - Forward push tokens to your server for remote updates.
- 在宿主应用的Info.plist中添加。
NSSupportsLiveActivities = YES - 定义包含嵌套的
ContentState结构体。ActivityAttributes - 在小组件包中创建,包含锁屏内容和Dynamic Island闭包。
ActivityConfiguration - 使用启动活动。
Activity.request(attributes:content:pushType:) - 使用更新活动,使用
activity.update(_:)结束活动。activity.end(_:dismissalPolicy:) - 将推送令牌转发至服务器以支持远程更新。
2. Review existing Live Activity code
2. 审查现有Live Activity代码
Run through the Review Checklist at the end of this document.
按照本文档末尾的审查清单逐一检查。
ActivityAttributes Definition
ActivityAttributes 定义
Define both static data (immutable for the activity lifetime) and dynamic
(changes with each update). Keep small because
the entire struct is serialized on every update and push payload.
ContentStateContentStateswift
import ActivityKit
struct DeliveryAttributes: ActivityAttributes {
// Static -- set once at activity creation, never changes
var orderNumber: Int
var restaurantName: String
// Dynamic -- updated throughout the activity lifetime
struct ContentState: Codable, Hashable {
var driverName: String
var estimatedDeliveryTime: ClosedRange<Date>
var currentStep: DeliveryStep
}
}
enum DeliveryStep: String, Codable, Hashable, CaseIterable {
case confirmed, preparing, pickedUp, delivering, delivered
var icon: String {
switch self {
case .confirmed: "checkmark.circle"
case .preparing: "frying.pan"
case .pickedUp: "bag.fill"
case .delivering: "box.truck.fill"
case .delivered: "house.fill"
}
}
}同时定义静态数据(在活动生命周期内不可变)和动态的(随每次更新变化)。请保持精简,因为整个结构体在每次更新和推送负载中都会被序列化。
ContentStateContentStateswift
import ActivityKit
struct DeliveryAttributes: ActivityAttributes {
// Static -- set once at activity creation, never changes
var orderNumber: Int
var restaurantName: String
// Dynamic -- updated throughout the activity lifetime
struct ContentState: Codable, Hashable {
var driverName: String
var estimatedDeliveryTime: ClosedRange<Date>
var currentStep: DeliveryStep
}
}
enum DeliveryStep: String, Codable, Hashable, CaseIterable {
case confirmed, preparing, pickedUp, delivering, delivered
var icon: String {
switch self {
case .confirmed: "checkmark.circle"
case .preparing: "frying.pan"
case .pickedUp: "bag.fill"
case .delivering: "box.truck.fill"
case .delivered: "house.fill"
}
}
}Stale Date
过期时间
Set on to tell the system when content becomes outdated. The system sets to after this date; show fallback UI (e.g., "Updating...") in your views.
staleDateActivityContentcontext.isStaletrueswift
let content = ActivityContent(
state: state,
staleDate: Date().addingTimeInterval(300), // stale after 5 minutes
relevanceScore: 75
)在上设置,告知系统内容何时过期。超过该时间后,系统会将设为,此时需在视图中显示备用UI(如“更新中...”)。
ActivityContentstaleDatecontext.isStaletrueswift
let content = ActivityContent(
state: state,
staleDate: Date().addingTimeInterval(300), // stale after 5 minutes
relevanceScore: 75
)Activity Lifecycle
Activity 生命周期
Starting
启动
Use to create and display a Live Activity. Pass as
the to enable remote updates via APNs.
Activity.request.tokenpushTypeswift
let attributes = DeliveryAttributes(orderNumber: 42, restaurantName: "Pizza Place")
let state = DeliveryAttributes.ContentState(
driverName: "Alex",
estimatedDeliveryTime: Date()...Date().addingTimeInterval(1800),
currentStep: .preparing
)
let content = ActivityContent(state: state, staleDate: nil, relevanceScore: 75)
do {
let activity = try Activity.request(
attributes: attributes,
content: content,
pushType: .token
)
print("Started activity: \(activity.id)")
} catch {
print("Failed to start activity: \(error)")
}使用创建并显示Live Activity。传入作为,以启用通过APNs进行远程更新。
Activity.request.tokenpushTypeswift
let attributes = DeliveryAttributes(orderNumber: 42, restaurantName: "Pizza Place")
let state = DeliveryAttributes.ContentState(
driverName: "Alex",
estimatedDeliveryTime: Date()...Date().addingTimeInterval(1800),
currentStep: .preparing
)
let content = ActivityContent(state: state, staleDate: nil, relevanceScore: 75)
do {
let activity = try Activity.request(
attributes: attributes,
content: content,
pushType: .token
)
print("Started activity: \(activity.id)")
} catch {
print("Failed to start activity: \(error)")
}Updating
更新
Update the dynamic content state from the app. Use to
trigger a visible banner and sound alongside the update.
AlertConfigurationswift
let updatedState = DeliveryAttributes.ContentState(
driverName: "Alex",
estimatedDeliveryTime: Date()...Date().addingTimeInterval(600),
currentStep: .delivering
)
let updatedContent = ActivityContent(
state: updatedState,
staleDate: Date().addingTimeInterval(300),
relevanceScore: 90
)
// Silent update
await activity.update(updatedContent)
// Update with an alert
await activity.update(updatedContent, alertConfiguration: AlertConfiguration(
title: "Order Update",
body: "Your driver is nearby!",
sound: .default
))从应用内更新动态内容状态。使用在更新时触发可见横幅和声音提醒。
AlertConfigurationswift
let updatedState = DeliveryAttributes.ContentState(
driverName: "Alex",
estimatedDeliveryTime: Date()...Date().addingTimeInterval(600),
currentStep: .delivering
)
let updatedContent = ActivityContent(
state: updatedState,
staleDate: Date().addingTimeInterval(300),
relevanceScore: 90
)
// Silent update
await activity.update(updatedContent)
// Update with an alert
await activity.update(updatedContent, alertConfiguration: AlertConfiguration(
title: "Order Update",
body: "Your driver is nearby!",
sound: .default
))Ending
结束
End the activity when the tracked event completes. Choose a dismissal policy
to control how long the ended activity lingers on the Lock Screen.
swift
let finalState = DeliveryAttributes.ContentState(
driverName: "Alex",
estimatedDeliveryTime: Date()...Date(),
currentStep: .delivered
)
let finalContent = ActivityContent(state: finalState, staleDate: nil, relevanceScore: 0)
// System decides when to remove (up to 4 hours)
await activity.end(finalContent, dismissalPolicy: .default)
// Remove immediately
await activity.end(finalContent, dismissalPolicy: .immediate)
// Remove after a specific time (max 4 hours from now)
await activity.end(finalContent, dismissalPolicy: .after(Date().addingTimeInterval(3600)))Always end activities on all code paths -- success, error, and cancellation.
A leaked activity stays on the Lock Screen until the system kills it (up to
8 hours), which frustrates users.
当追踪的事件完成时结束活动。选择 dismissal policy 来控制已结束的活动在锁屏上保留的时长。
swift
let finalState = DeliveryAttributes.ContentState(
driverName: "Alex",
estimatedDeliveryTime: Date()...Date(),
currentStep: .delivered
)
let finalContent = ActivityContent(state: finalState, staleDate: nil, relevanceScore: 0)
// System decides when to remove (up to 4 hours)
await activity.end(finalContent, dismissalPolicy: .default)
// Remove immediately
await activity.end(finalContent, dismissalPolicy: .immediate)
// Remove after a specific time (max 4 hours from now)
await activity.end(finalContent, dismissalPolicy: .after(Date().addingTimeInterval(3600)))请确保在所有代码路径(成功、错误、取消)中都结束活动。未正确结束的活动会停留在锁屏上,直到系统将其清除(最长8小时),这会影响用户体验。
Lock Screen Presentation
锁屏展示
The Lock Screen is the primary surface for Live Activities. Every device with
iOS 16.1+ displays Live Activities here. Design this layout first.
swift
struct DeliveryActivityWidget: Widget {
var body: some WidgetConfiguration {
ActivityConfiguration(for: DeliveryAttributes.self) { context in
// Lock Screen / StandBy / CarPlay / Mac menu bar content
VStack(alignment: .leading, spacing: 8) {
HStack {
Text(context.attributes.restaurantName)
.font(.headline)
Spacer()
Text("Order #\(context.attributes.orderNumber)")
.font(.caption)
.foregroundStyle(.secondary)
}
if context.isStale {
Label("Updating...", systemImage: "arrow.trianglehead.2.clockwise")
.font(.subheadline)
.foregroundStyle(.secondary)
} else {
HStack {
Label(context.state.driverName, systemImage: "person.fill")
Spacer()
Text(timerInterval: context.state.estimatedDeliveryTime,
countsDown: true)
.monospacedDigit()
}
.font(.subheadline)
// Progress steps
HStack(spacing: 12) {
ForEach(DeliveryStep.allCases, id: \.self) { step in
Image(systemName: step.icon)
.foregroundStyle(
step <= context.state.currentStep ? .primary : .tertiary
)
}
}
}
}
.padding()
} dynamicIsland: { context in
// Dynamic Island closures (see next section)
DynamicIsland {
// Expanded regions...
DynamicIslandExpandedRegion(.leading) {
Image(systemName: "box.truck.fill").font(.title2)
}
DynamicIslandExpandedRegion(.trailing) {
Text(timerInterval: context.state.estimatedDeliveryTime,
countsDown: true)
.font(.caption).monospacedDigit()
}
DynamicIslandExpandedRegion(.center) {
Text(context.attributes.restaurantName).font(.headline)
}
DynamicIslandExpandedRegion(.bottom) {
HStack(spacing: 12) {
ForEach(DeliveryStep.allCases, id: \.self) { step in
Image(systemName: step.icon)
.foregroundStyle(
step <= context.state.currentStep ? .primary : .tertiary
)
}
}
}
} compactLeading: {
Image(systemName: "box.truck.fill")
} compactTrailing: {
Text(timerInterval: context.state.estimatedDeliveryTime,
countsDown: true)
.frame(width: 40).monospacedDigit()
} minimal: {
Image(systemName: "box.truck.fill")
}
}
}
}锁屏是Live Activities的主要展示区域。所有iOS 16.1+的设备都会在此显示Live Activities,请优先设计此布局。
swift
struct DeliveryActivityWidget: Widget {
var body: some WidgetConfiguration {
ActivityConfiguration(for: DeliveryAttributes.self) { context in
// Lock Screen / StandBy / CarPlay / Mac menu bar content
VStack(alignment: .leading, spacing: 8) {
HStack {
Text(context.attributes.restaurantName)
.font(.headline)
Spacer()
Text("Order #\(context.attributes.orderNumber)")
.font(.caption)
.foregroundStyle(.secondary)
}
if context.isStale {
Label("Updating...", systemImage: "arrow.trianglehead.2.clockwise")
.font(.subheadline)
.foregroundStyle(.secondary)
} else {
HStack {
Label(context.state.driverName, systemImage: "person.fill")
Spacer()
Text(timerInterval: context.state.estimatedDeliveryTime,
countsDown: true)
.monospacedDigit()
}
.font(.subheadline)
// Progress steps
HStack(spacing: 12) {
ForEach(DeliveryStep.allCases, id: \.self) { step in
Image(systemName: step.icon)
.foregroundStyle(
step <= context.state.currentStep ? .primary : .tertiary
)
}
}
}
}
.padding()
} dynamicIsland: { context in
// Dynamic Island closures (see next section)
DynamicIsland {
// Expanded regions...
DynamicIslandExpandedRegion(.leading) {
Image(systemName: "box.truck.fill").font(.title2)
}
DynamicIslandExpandedRegion(.trailing) {
Text(timerInterval: context.state.estimatedDeliveryTime,
countsDown: true)
.font(.caption).monospacedDigit()
}
DynamicIslandExpandedRegion(.center) {
Text(context.attributes.restaurantName).font(.headline)
}
DynamicIslandExpandedRegion(.bottom) {
HStack(spacing: 12) {
ForEach(DeliveryStep.allCases, id: \.self) { step in
Image(systemName: step.icon)
.foregroundStyle(
step <= context.state.currentStep ? .primary : .tertiary
)
}
}
}
} compactLeading: {
Image(systemName: "box.truck.fill")
} compactTrailing: {
Text(timerInterval: context.state.estimatedDeliveryTime,
countsDown: true)
.frame(width: 40).monospacedDigit()
} minimal: {
Image(systemName: "box.truck.fill")
}
}
}
}Lock Screen Sizing
锁屏尺寸
The Lock Screen presentation has limited vertical space. Avoid layouts taller
than roughly 160 points. Use to opt into
(compact) or (standard) sizing:
supplementalActivityFamilies.small.mediumswift
ActivityConfiguration(for: DeliveryAttributes.self) { context in
// Lock Screen content
} dynamicIsland: { context in
// Dynamic Island
}
.supplementalActivityFamilies([.small, .medium])锁屏展示的垂直空间有限,避免布局高度超过约160点。使用来选择启用(紧凑)或(标准)尺寸:
supplementalActivityFamilies.small.mediumswift
ActivityConfiguration(for: DeliveryAttributes.self) { context in
// Lock Screen content
} dynamicIsland: { context in
// Dynamic Island
}
.supplementalActivityFamilies([.small, .medium])Dynamic Island
Dynamic Island
The Dynamic Island is available on iPhone 14 Pro and later. It has three
presentation modes. Design all three, but treat the Lock Screen as the primary
surface since not all devices have a Dynamic Island.
Dynamic Island 仅在iPhone 14 Pro及后续机型上可用,它有三种展示模式。请设计所有三种模式,但将锁屏作为主要展示区域,因为并非所有设备都配备Dynamic Island。
Compact (Leading + Trailing)
紧凑模式(左侧+右侧)
Always visible when a single Live Activity is active. Space is extremely
limited -- show only the most critical information.
| Region | Purpose |
|---|---|
| Icon or tiny label identifying the activity |
| One key value (timer, score, status) |
当单个Live Activity处于活动状态时始终可见,空间极其有限——仅显示最关键的信息。
| 区域 | 用途 |
|---|---|
| 标识活动的图标或极小标签 |
| 一个关键值(计时器、分数、状态) |
Minimal
极简模式
Shown when multiple Live Activities compete for space. Only one activity gets
the minimal slot. Display a single icon or glyph.
当多个Live Activity竞争空间时显示,只有一个活动能占据极简模式位置,仅显示单个图标或符号。
Expanded Regions
展开区域
Shown when the user long-presses the Dynamic Island.
| Region | Position |
|---|---|
| Left of the TrueDepth camera; wraps below |
| Right of the TrueDepth camera; wraps below |
| Directly below the camera |
| Below all other regions |
当用户长按Dynamic Island时显示。
| 区域 | 位置 |
|---|---|
| 原深感摄像头左侧;可延伸至下方 |
| 原深感摄像头右侧;可延伸至下方 |
| 摄像头正下方 |
| 所有其他区域下方 |
Keyline Tint
关键线条着色
Apply a subtle tint to the Dynamic Island border:
swift
DynamicIsland { /* expanded */ }
compactLeading: { /* ... */ }
compactTrailing: { /* ... */ }
minimal: { /* ... */ }
.keylineTint(.blue)为Dynamic Island边框应用微妙的色调:
swift
DynamicIsland { /* expanded */ }
compactLeading: { /* ... */ }
compactTrailing: { /* ... */ }
minimal: { /* ... */ }
.keylineTint(.blue)Push-to-Update
推送更新
Push-to-update sends Live Activity updates through APNs, which is more
efficient than polling from the app and works when the app is suspended.
推送更新通过APNs发送Live Activity更新,比应用内轮询更高效,且在应用挂起时仍能工作。
Setup
设置
Pass as the when starting the activity, then forward the
push token to your server:
.tokenpushTypeswift
let activity = try Activity.request(
attributes: attributes,
content: content,
pushType: .token
)
// Observe token changes -- tokens can rotate
Task {
for await token in activity.pushTokenUpdates {
let tokenString = token.map { String(format: "%02x", $0) }.joined()
try await ServerAPI.shared.registerActivityToken(
tokenString, activityID: activity.id
)
}
}启动活动时传入作为,然后将推送令牌转发至你的服务器:
.tokenpushTypeswift
let activity = try Activity.request(
attributes: attributes,
content: content,
pushType: .token
)
// Observe token changes -- tokens can rotate
Task {
for await token in activity.pushTokenUpdates {
let tokenString = token.map { String(format: "%02x", $0) }.joined()
try await ServerAPI.shared.registerActivityToken(
tokenString, activityID: activity.id
)
}
}APNs Payload Format
APNs 负载格式
Send an HTTP/2 POST to APNs with these headers and JSON body:
Required HTTP headers:
apns-push-type: liveactivityapns-topic: <bundle-id>.push-type.liveactivity- (low) or
apns-priority: 5(high, triggers alert)10
Update payload:
json
{
"aps": {
"timestamp": 1700000000,
"event": "update",
"content-state": {
"driverName": "Alex",
"estimatedDeliveryTime": {
"lowerBound": 1700000000,
"upperBound": 1700001800
},
"currentStep": "delivering"
},
"stale-date": 1700000300,
"alert": {
"title": "Delivery Update",
"body": "Your driver is nearby!"
}
}
}End payload: Same structure with and optional .
"event": "end""dismissal-date"The JSON must match the Codable structure
exactly. Mismatched keys or types cause silent failures.
content-stateContentState向APNs发送HTTP/2 POST请求,包含以下头部和JSON主体:
必填HTTP头部:
apns-push-type: liveactivityapns-topic: <bundle-id>.push-type.liveactivity- (低优先级)或
apns-priority: 5(高优先级,触发提醒)10
更新负载:
json
{
"aps": {
"timestamp": 1700000000,
"event": "update",
"content-state": {
"driverName": "Alex",
"estimatedDeliveryTime": {
"lowerBound": 1700000000,
"upperBound": 1700001800
},
"currentStep": "delivering"
},
"stale-date": 1700000300,
"alert": {
"title": "Delivery Update",
"body": "Your driver is nearby!"
}
}
}结束负载: 结构相同,将改为,可选择添加。
"event": "update""event": "end""dismissal-date"content-stateContentStatePush-to-Start
推送启动
Start a Live Activity remotely without the app running (iOS 17.2+):
swift
Task {
for await token in Activity<DeliveryAttributes>.pushToStartTokenUpdates {
let tokenString = token.map { String(format: "%02x", $0) }.joined()
try await ServerAPI.shared.registerPushToStartToken(tokenString)
}
}无需应用运行即可远程启动Live Activity(iOS 17.2+):
swift
Task {
for await token in Activity<DeliveryAttributes>.pushToStartTokenUpdates {
let tokenString = token.map { String(format: "%02x", $0) }.joined()
try await ServerAPI.shared.registerPushToStartToken(tokenString)
}
}Frequent Push Updates
频繁推送更新
Add to Info.plist to increase
the push update budget. Use for activities that update more than once per
minute (sports scores, ride tracking).
NSSupportsLiveActivitiesFrequentUpdates = YES在Info.plist中添加以增加推送更新的预算。适用于更新频率超过每分钟一次的活动(如体育比分、网约车追踪)。
NSSupportsLiveActivitiesFrequentUpdates = YESiOS 26 Additions
iOS 26 新增功能
Scheduled Live Activities (iOS 26+)
定时Live Activities(iOS 26+)
Schedule a Live Activity to start at a future time. The system starts the
activity automatically without the app being in the foreground. Use for events
with known start times (sports games, flights, scheduled deliveries).
swift
let scheduledDate = Calendar.current.date(
from: DateComponents(year: 2026, month: 3, day: 15, hour: 19, minute: 0)
)!
let activity = try Activity.request(
attributes: attributes,
content: content,
pushType: .token,
start: scheduledDate
)安排Live Activity在未来某个时间启动。系统会自动启动活动,无需应用处于前台。适用于有已知开始时间的事件(如体育赛事、航班、预约配送)。
swift
let scheduledDate = Calendar.current.date(
from: DateComponents(year: 2026, month: 3, day: 15, hour: 19, minute: 0)
)!
let activity = try Activity.request(
attributes: attributes,
content: content,
pushType: .token,
start: scheduledDate
)ActivityStyle (iOS 26+)
ActivityStyle(iOS 26+)
Control persistence: (persists until ended, default) or (system may dismiss automatically). Use for short-lived updates like transit arrivals.
.standard.transient.transientswift
let activity = try Activity.request(
attributes: attributes, content: content,
pushType: .token, style: .transient
)控制持久化方式:(持续到结束,默认)或(系统可自动关闭)。对于公交到站提醒等短期更新,使用。
.standard.transient.transientswift
let activity = try Activity.request(
attributes: attributes, content: content,
pushType: .token, style: .transient
)Mac Menu Bar & CarPlay (iOS 26+)
Mac菜单栏与CarPlay(iOS 26+)
Live Activities automatically appear in macOS Tahoe menu bar (via iPhone Mirroring) and CarPlay Home Screen. No additional code needed — ensure Lock Screen layout is legible at smaller scales.
Live Activities会自动显示在macOS Tahoe菜单栏(通过iPhone镜像)和CarPlay主屏幕上。无需额外代码——确保锁屏布局在小尺寸下仍清晰可读。
Channel-Based Push (iOS 26+)
基于频道的推送(iOS 26+)
Broadcast updates to many Live Activities at once with :
.channelswift
let activity = try Activity.request(
attributes: attributes, content: content,
pushType: .channel("delivery-updates")
)使用向多个Live Activity广播更新:
.channelswift
let activity = try Activity.request(
attributes: attributes, content: content,
pushType: .channel("delivery-updates")
)Common Mistakes
常见错误
DON'T: Put too much content in the compact presentation -- it is tiny.
DO: Show only the most critical info (icon + one value) in compact leading/trailing.
DON'T: Update Live Activities too frequently from the app (drains battery).
DO: Use push-to-update for server-driven updates. Limit app-side updates to user actions.
DON'T: Forget to end the activity when the event completes.
DO: Always end activities on success, error, and cancellation paths. A leaked activity frustrates users.
DON'T: Assume the Dynamic Island is available (only iPhone 14 Pro+).
DO: Design for the Lock Screen as the primary surface; Dynamic Island is supplementary.
DON'T: Store sensitive information in ActivityAttributes (visible on Lock Screen).
DO: Keep sensitive data in the app and show only safe-to-display summaries.
DON'T: Forget to handle stale dates.
DO: Check in views and show fallback UI ("Updating..." or similar).
context.isStaleDON'T: Ignore push token rotation. Tokens can change at any time.
DO: Use async sequence and re-register on every emission.
activity.pushTokenUpdatesDON'T: Forget the Info.plist key.
DO: Add to the host app's Info.plist (not the extension).
NSSupportsLiveActivitiesNSSupportsLiveActivities = YESDON'T: Use the deprecated -based API for request/update/end.
DO: Use for all lifecycle calls.
contentStateActivityContentDON'T: Put heavy logic in Live Activity views. They render in a size-limited widget process.
DO: Pre-compute display values and pass them through .
ContentState不要: 在紧凑模式中放入过多内容——空间非常小。
要: 在紧凑左侧/右侧仅显示最关键的信息(图标+一个值)。
不要: 从应用内过于频繁地更新Live Activities——会消耗电量。
要: 对于服务器驱动的更新,使用推送更新方式。将应用内更新限制为用户操作触发的场景。
不要: 事件完成后忘记结束活动。
要: 在成功、错误和取消路径中都结束活动。未正确结束的活动会影响用户体验。
不要: 假设所有设备都有Dynamic Island——仅iPhone 14 Pro+配备。
要: 以锁屏作为主要展示区域进行设计;Dynamic Island是补充。
不要: 在ActivityAttributes中存储敏感信息——会显示在锁屏上。
要: 将敏感数据保存在应用内,仅显示安全的摘要信息。
不要: 忽略过期时间设置。
要: 在视图中检查并显示备用UI(如“更新中...”)。
context.isStale不要: 忽略推送令牌轮换。令牌可能随时更改。
要: 使用异步序列,并在每次令牌更新时重新注册。
activity.pushTokenUpdates不要: 忘记添加 Info.plist键。
要: 在宿主应用的Info.plist中添加(不是扩展)。
NSSupportsLiveActivitiesNSSupportsLiveActivities = YES不要: 使用已弃用的基于的请求/更新/结束API。
要: 在所有生命周期调用中使用。
contentStateActivityContent不要: 在Live Activity视图中放入复杂逻辑。它们在尺寸受限的小组件进程中渲染。
要: 预先计算显示值,并通过传递。
ContentStateReview Checklist
审查清单
- defines static properties and
ActivityAttributesContentState - in host app Info.plist
NSSupportsLiveActivities = YES - Activity uses (not deprecated contentState API)
ActivityContent - Activity ended in all code paths (success, error, cancellation)
- Lock Screen layout handles
context.isStale - Dynamic Island compact, expanded, and minimal implemented
- Push token forwarded to server via
activity.pushTokenUpdates - used for important updates
AlertConfiguration - checked before starting
ActivityAuthorizationInfo - ContentState kept small (serialized on every update)
- Tested on device (Dynamic Island differs from Simulator)
- Ensure ActivityAttributes and ContentState types are Sendable; update Live Activity UI on @MainActor
- 定义了静态属性和
ActivityAttributesContentState - 宿主应用Info.plist中包含
NSSupportsLiveActivities = YES - Activity使用(而非已弃用的contentState API)
ActivityContent - 在所有代码路径(成功、错误、取消)中都结束了Activity
- 锁屏布局处理了状态
context.isStale - 实现了Dynamic Island的紧凑、展开和极简模式
- 通过将推送令牌转发至服务器
activity.pushTokenUpdates - 对重要更新使用了
AlertConfiguration - 启动前检查了
ActivityAuthorizationInfo - ContentState保持精简(每次更新都会序列化)
- 在真机上进行了测试(Dynamic Island在模拟器中的表现与真机不同)
- 确保ActivityAttributes和ContentState类型为Sendable;在@MainActor上更新Live Activity UI
References
参考资料
- Patterns and code:
references/live-activity-patterns.md - Apple docs: ActivityKit | ActivityAttributes | DynamicIsland | Push notifications
- 模式与代码:
references/live-activity-patterns.md - Apple文档:ActivityKit | ActivityAttributes | DynamicIsland | 推送通知