@FocusState and @AppStorage in SwiftUI

今天说说在开发中很常用的两个特性,它们也同样是两个属性包装器。
@FocusState 用于管理视图元素的输入焦点状态。
@AppStorage 用于将属性存储在 UserDefaults 中

接下来我们用一个例子来说明



struct FocusStateSample: View {
    
    let textFieldBackgroundColor = #colorLiteral(red: 0.9496834874, green: 0.9635508657, blue: 1, alpha: 1)
    
    @State private var name: String = ""
    @State private var password: String = ""
    @State private var againPassword: String = ""
    @State private var email: String = ""
    
    var body: some View {
        NavigationView {
            ScrollView {
                VStack(spacing: 20) {
                    markTextField("Input your name", bindingName: $name, submitLabel: .next, keyboardTypeL: .default)
                    markTextField("Input your password", bindingName: $password, submitLabel: .next, keyboardTypeL: .default)
                    markTextField("Input your password again", bindingName: $againPassword, submitLabel: .next, keyboardTypeL: .default)
                    markTextField("Input your email", bindingName: $email, submitLabel: .done, keyboardTypeL: .emailAddress)
                    Button {
                        
                    } label: {
                        Text("Save".uppercased())
                            .foregroundColor(.white)
                            .font(.headline)
                            .fontWeight(.semibold)
                            .frame(height: 55)
                            .frame(maxWidth: .infinity)
                            .background(Color.blue.cornerRadius(10))
                    }
                    Spacer()
                }
            }
            .padding()
            .navigationTitle("Focus state")
            .onTapGesture {
                dismissKeyboard()
            }
        }
    }
    
    // Hide keyboard, When you tap blank space
    func dismissKeyboard(){
        UIApplication.shared.sendAction(#selector(UIResponder.resignFirstResponder), to: nil, from: nil, for: nil)
    }
    
    private func markTextField(
        _ prompt: String,
        bindingName: Binding<String>,
        submitLabel: SubmitLabel,
        keyboardTypeL: UIKeyboardType
    ) -> some View {
        TextField(prompt, text: bindingName)
            .font(.headline)
            .frame(height: 55)
            .submitLabel(submitLabel)
            .keyboardType(keyboardTypeL)
            .padding(.horizontal)
            .background(Color(uiColor: textFieldBackgroundColor))
            .cornerRadius(10)
    }
}

image.png

现有代码是构建了四个输入框和一个Button,并且每个输入框的提交键盘按钮和使用的键盘类型都有所不同。

SubmitLabel

指定提交按钮的文字,SubmitLabel 是一个枚举,可以指定以下枚举中的任何值

@available(iOS 15.0, macOS 12.0, tvOS 15.0, watchOS 8.0, *)
public struct SubmitLabel {

    /// Defines a submit label with text of "Done".
    public static var done: SubmitLabel { get }

    /// Defines a submit label with text of "Go".
    public static var go: SubmitLabel { get }

    /// Defines a submit label with text of "Send".
    public static var send: SubmitLabel { get }

    /// Defines a submit label with text of "Join".
    public static var join: SubmitLabel { get }

    /// Defines a submit label with text of "Route".
    public static var route: SubmitLabel { get }

    /// Defines a submit label with text of "Search".
    public static var search: SubmitLabel { get }

    /// Defines a submit label with text of "Return".
    public static var `return`: SubmitLabel { get }

    /// Defines a submit label with text of "Next".
    public static var next: SubmitLabel { get }

    /// Defines a submit label with text of "Continue".
    public static var `continue`: SubmitLabel { get }
}

方法定义如下:

public func submitLabel(_ submitLabel: SubmitLabel) -> some View

Screenshot 2023-08-01 at 08.25.18.png

以上button的提交按钮分别设置了 .next 和 .done

我们现在有以下需求,会在上述代码基础上来完成。

需求:

  1. 需要在 App显示页面时,自动把焦点放在第一个输入用户名的TextField上
  2. 当点击键盘的Next按钮时,自动把焦点放在下一个TextField中。比如:我现在的焦点在输入用户名的TextField中,当我点击Next时就自动焦点到passwordTextField上
  3. 点击Save保存所有输入框的数据,下次启动时显示上次保存的值

我们首先来完成第一个需求

需要在 App显示页面时,自动把焦点放在第一个输入用户名的TextField上

此时我们需要声明一个使用FocusState修饰的属性,它的类型FocusState ,具体如下:

  1. 声明FocusState修饰的属性,Boolean类型的,无初始值


@FocusState var nameFocused: Bool
  1. 给使用的TextField添加上下面的属性
.focused($nameFocused)
  1. 在OnAppear方法里面调用(0.5 秒后调用)
.onAppear {

                DispatchQueue.main.asyncAfter(deadline: .now() + 0.5, execute: {
                    nameFocused.toggle()
                })
            }

即可实现需求一

ezgif.com-video-to-gif (1).gif

接下来完成需求二

当点击键盘的Next按钮时,自动把焦点放在下一个TextField中。比如:我现在的焦点在输入用户名的TextField中,当我点击Next时就自动焦点到passwordTextField上

其实需求二是在需求一的基础上做了加强,我们需要给我们所有的TexTField对象加上@FocusState属性包装器

@FocusState var nameFocused: Bool
@FocusState var passwordFocused: Bool
@FocusState var againPasswordFocused: Bool
@FocusState var emailFocused: Bool

同时需要在TextField补充一个提交方法onSubmit

.onSubmit {
                if nameFocused {
                    nameFocused = false
                    passwordFocused = true
                } else if passwordFocused {
                    passwordFocused = false
                    againPasswordFocused = true
                } else if againPasswordFocused {
                    againPasswordFocused = false
                    emailFocused = true
                } else {
                    print("Done")
                }
            }

经过需求一,我们明白。通过切换被@FocusState修饰的属性可以来实现当前TextFiedl是否有焦点,也就是是否可以使用键盘。那么上面方法就是判断当前TextField是否可以自动聚焦。其实你可以使用TextField里面的内容来判断,如果满足你当前的条件,你再切换到下一个TextField输入,例如:name.count > 8 等

ezgif.com-video-to-gif (2).gif

点击Save保存所有输入框的数据,下次启动时显示上次保存的值

那么我们改如何在本次保存数据后,下次启动时自动显示数据呢?(当我们点击Save Button 时我们不再判断输入的内容。默认输入框都是有内容的)

接下来我们会介绍AppStorage,它的底层是UserDefault. 我们目前需要声明s四个属性来保存四个输入框的值

@AppStorage var currentName: String?
@AppStorage var currentPassword: String?
@AppStorage var currentAgainPassword: String?
@AppStorage var currentEmail: String?

然后需要构建一个Save方法

private func save() {
        currentName = name
        currentPassword = password
        currentAgainPassword = againPassword
        currentEmail = email
        
        print("Saved")
    }

并且在 Button 方法中调用save方法

Button {
  save()
}

保存的时其实就做完了,但是还差一个在下次启动自动填充值的需求。我们来完成以下

先把数据读出来

?? 的意思是:当 ?? 前面的值为空时,就是用后面的值

private func autoFillContent() {
        name = currentName ?? ""
        password = currentPassword ?? ""
        againPassword = currentAgainPassword ?? ""
        email = currentEmail ?? ""
    }

挂载到onAppear方法上

.onAppear {

                autoFillContent()
                guard name.count == 0 else { return }
                
                DispatchQueue.main.asyncAfter(deadline: .now() + 0.5, execute: {
                    nameFocused = true
                })
            }

ezgif.com-video-to-gif (4).gif

上述需求已经都完成了,但是代码是存在问题的。在生产环境这样写代码是不行的。我说出以下几点问题:

  1. save之前需要校验输入的内容
  2. 主代码视图内需要精简,不要过于太长,避免看的脑壳疼。要做好高内聚
  3. 密码框应该是秘文形式
  4. 思考:如果我的输入框不止这四个,如果是一个简历输入页面,将有很多信息要录入,那么如果一个页面的TextField有10个该怎么办?还是使用上述方法吗?

下一节我们将说说怎么去适配多个TextField的情况,加油!

对于今天的内容,大家有什么看法呢?欢迎留言讨论。
公众号:RobotPBQ

© 版权声明
THE END
喜欢就支持一下吧
点赞0

Warning: mysqli_query(): (HY000/3): Error writing file '/tmp/MYwWPkhQ' (Errcode: 28 - No space left on device) in /www/wwwroot/583.cn/wp-includes/class-wpdb.php on line 2345
admin的头像-五八三
评论 抢沙发
头像
欢迎您留下宝贵的见解!
提交
头像

昵称

图形验证码
取消
昵称代码图片