0

以下代码应在选项卡更改时打印值,但未按预期打印。如果我使用选定的数据类型(如 Int 或字符串)而不是枚举,则相同的代码可以正常工作。

我是否需要确认枚举才能完成这项工作?

enum Tab: String, Codable, Comparable {
    static func < (lhs: Tab, rhs: Tab) -> Bool {
        lhs.rawValue < rhs.rawValue
    }
    
    case firstTab
    case secondTab
    case thirdTab
}

struct ContentView: View {
 
    @State var selected: Tab = .firstTab
    var body: some View {
        TabView(selection: $selected) {
            Text("first tab")
                .tabItem {
                    Text(Tab.firstTab.rawValue)
                }.tag(Tab.firstTab.rawValue)
               
            Text("second tab")
                .tabItem {
                    Text(Tab.secondTab.rawValue)
                }.tag(Tab.secondTab.rawValue)
            Text("third tab")
                .tabItem {
                    Text(Tab.thirdTab.rawValue)
                }.tag(Tab.thirdTab.rawValue)
        }.onChange(of: selected, perform: { value in
            print(value)
        })
    }
}

提前致谢

4

1 回答 1

2

删除.rawValue每个标签,因为您的 TabView 使用枚举案例进行选择,而不是您的案例字符串 ( .rawValue)

TabView(selection: $selected) {
    Text("first tab")
        .tabItem {
            Text(Tab.firstTab.rawValue)
        }.tag(Tab.firstTab) //< -Here
    
    Text("second tab")
        .tabItem {
            Text(Tab.secondTab.rawValue)
        }.tag(Tab.secondTab) //< -Here
    Text("third tab")
        .tabItem {
            Text(Tab.thirdTab.rawValue)
        }.tag(Tab.thirdTab) //< -Here

我是否需要确认枚举才能完成这项工作?

不,无需再确认。

简单点

enum Tab: String {
    case firstTab
    case secondTab
    case thirdTab
}
于 2021-08-07T10:04:57.793 回答