为什么我无法验证 Swift 中登录按钮中的文本字段
Why I'm unable to validate textFields in login Button in Swift
我已将委托委托给我的所有文本字段,但我无法验证文本字段最初是否为空..如果我只是将光标放在文本字段中,但没有任何文本,那么我可以检查,然后它说请输入电话号码为什么?
如果我没有将光标放在文本字段中,则访问直接转到其他部分,即使所有文本字段都是空的
这是我的代码,请在代码中帮助我。
func textFieldDidBeginEditing(_ textField: UITextField) {
textField.text = ""
}
//MARK:- ButtonActions
@IBAction func loginButton(_ sender: Any) {
if(userIdTextFielf.text?.isEmpty)!{
AlertFun.ShowAlert(title: "", message: "Please enter PhoneNumber", in: self)
}
else if(passwordTextField.text?.isEmpty)!{
AlertFun.ShowAlert(title: "", message: "Please enter Password", in: self)
}
else if(passwordTextField.text?.isEmpty)! && (userIdTextFielf.text?.isEmpty)! {
AlertFun.ShowAlert(title: "", message: "Please enter PhoneNumber & Password", in: self)
}
else{
logInService()
}
}
这是我的登录服务:
//MARK:- Service part
func logInService(){
let parameters = ["username":Int(userIdTextFielf.text ?? "") as Any,
"imei_number":"test2012@gmail.com",
"password":passwordTextField.text as Any,
"name":"name"]
let url = URL(string: "https://dev.com/webservices/login")
var req = URLRequest(url: url!)
req.httpMethod = "POST"
req.addValue("application/json", forHTTPHeaderField: "Contet-Type")
req.addValue("application/json", forHTTPHeaderField: "Accept")
guard let httpBody = try? JSONSerialization.data(withJSONObject: parameters as Any, options: .prettyPrinted) else {return}
req.httpBody = httpBody
let session = URLSession.shared
session.dataTask(with: req, completionHandler: {(data, response, error) in
if response != nil {
// print(response)
}
if let data = data {
do{
let json = try JSONSerialization.jsonObject(with: data, options: .mutableContainers) as! [String: Any]
print("the json of loginnnnnn \(json)")
var loginStatus = json["status"] as? String
DispatchQueue.main.async {
if loginStatus == "Failed"
{
AlertFun.ShowAlert(title: "", message: "Invalid creadintials", in: self)
}
else{
self.Uid = json["id"] as? String
let emailL = json["user_email"] as? String
print("login uid \(self.Uid)")
KeychainWrapper.standard.set(emailL ?? "", forKey: "user_email")
let saveUserId: Bool = KeychainWrapper.standard.set(self.Uid!, forKey: "Uid")
let mainStoryBoard = UIStoryboard(name: "Main", bundle: nil)
let navigationController = mainStoryBoard.instantiateViewController(withIdentifier: "HomeNavigation")
let appDelagate = UIApplication.shared.delegate
appDelagate?.window??.rootViewController = navigationController
}
}
}catch{
print("error")
}
}
}).resume()
}
如果我点击没有电话号码和密码的登录按钮,它总是显示 Invalid creadintials
请帮我写代码。
使用 isEmpty
而不是等于 ""
您可以尝试这个或最重要的解决方案
if userIdTextFielf.text?.isEmptyOrWhitespace() ?? true
{
AlertFun.ShowAlert(title: "", message: "Please enter PhoneNumber", in: self)
return
}
else if passwordTextField.text?.isEmptyOrWhitespace() ?? true
{
AlertFun.ShowAlert(title: "", message: "Please enter Password", in: self)
return
}
extension String {
func isEmptyOrWhitespace() -> Bool {
if(self.isEmpty) {
return true
}
return (self.trimmingCharacters(in: NSCharacterSet.whitespaces) == "")
}
您似乎在文本字段的 text
属性 中放置了一些占位符字符串。通常我们不会那样做。将占位符字符串放在文本字段的 placeholder
属性 中,它会准确地执行您想要的操作,即如果为空则显示占位符文本,否则显示用户输入的内容。然后你就不需要 textFieldDidBeginEditing
实现,你的简单 isEmpty
检查就可以了。
如果您想使用 text
属性 执行您自己的手动占位符过程,那么您必须更改验证逻辑,同时检查 isEmpty
和它不是等于您的占位符文本。
例如,您可以使用实用程序方法来确定用户实际输入的内容(即,如果它等于默认文本字符串,则 return 零长度字符串):
@IBAction func didTapLogin(_ sender: Any) {
let userid = actualInput(for: useridTextField, defaultText: "Enter userid")
let password = actualInput(for: passwordTextField, defaultText: "Enter password")
switch (userid.isEmpty, password.isEmpty) {
case (true, true):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber & Password", in: self)
case (true, _):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber", in: self)
case (_, true):
AlertFun.showAlert(title: "", message: "Please enter Password", in: self)
default:
logInService()
}
}
func actualInput(for textField: UITextField, defaultText: String) -> String {
let text = textField.text ?? ""
if text == defaultText {
return ""
} else {
return text.trimmingCharacters(in: .whitespacesAndNewlines)
}
}
就个人而言,即使您在 text
技巧中使用自定义占位符,我仍可能会将占位符字符串存储在 placeholder
属性 中以保存它。我也可以将其移动到 UITextField
:
的扩展
extension UITextField {
var userInput: String? { text == placeholder ? "" : text }
}
那么你可以这样做:
class ViewController: UIViewController {
@IBOutlet weak var imageView: UIImageView!
@IBOutlet weak var useridTextField: UITextField!
@IBOutlet weak var passwordTextField: UITextField!
override func viewDidLoad() {
super.viewDidLoad()
useridTextField.placeholder = "Please enter userid"
passwordTextField.placeholder = "Please enter password"
useridTextField.text = useridTextField.placeholder
passwordTextField.text = passwordTextField.placeholder
}
@IBAction func didTapLogin(_ sender: Any) {
let userid = useridTextField.userInput ?? ""
let password = passwordTextField.userInput ?? ""
switch (userid.isEmpty, password.isEmpty) {
case (true, true):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber & Password", in: self)
case (true, _):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber", in: self)
case (_, true):
AlertFun.showAlert(title: "", message: "Please enter Password", in: self)
default:
logInService()
}
}
func logInService() { ... }
}
extension ViewController: UITextFieldDelegate {
func textFieldDidBeginEditing(_ textField: UITextField) {
if textField.text == textField.placeholder {
textField.text = ""
}
}
func textFieldDidEndEditing(_ textField: UITextField, reason: UITextField.DidEndEditingReason) {
if textField.text?.isEmpty ?? true {
textField.text = textField.placeholder
}
}
}
这样,您就可以避免在代码中散布字符串文字,即使用户点击字段(您删除文本的地方),他们现在也可以看到占位符字符串,因此他们知道要输入什么,等等。
我已将委托委托给我的所有文本字段,但我无法验证文本字段最初是否为空..如果我只是将光标放在文本字段中,但没有任何文本,那么我可以检查,然后它说请输入电话号码为什么?
如果我没有将光标放在文本字段中,则访问直接转到其他部分,即使所有文本字段都是空的 这是我的代码,请在代码中帮助我。
func textFieldDidBeginEditing(_ textField: UITextField) {
textField.text = ""
}
//MARK:- ButtonActions
@IBAction func loginButton(_ sender: Any) {
if(userIdTextFielf.text?.isEmpty)!{
AlertFun.ShowAlert(title: "", message: "Please enter PhoneNumber", in: self)
}
else if(passwordTextField.text?.isEmpty)!{
AlertFun.ShowAlert(title: "", message: "Please enter Password", in: self)
}
else if(passwordTextField.text?.isEmpty)! && (userIdTextFielf.text?.isEmpty)! {
AlertFun.ShowAlert(title: "", message: "Please enter PhoneNumber & Password", in: self)
}
else{
logInService()
}
}
这是我的登录服务:
//MARK:- Service part
func logInService(){
let parameters = ["username":Int(userIdTextFielf.text ?? "") as Any,
"imei_number":"test2012@gmail.com",
"password":passwordTextField.text as Any,
"name":"name"]
let url = URL(string: "https://dev.com/webservices/login")
var req = URLRequest(url: url!)
req.httpMethod = "POST"
req.addValue("application/json", forHTTPHeaderField: "Contet-Type")
req.addValue("application/json", forHTTPHeaderField: "Accept")
guard let httpBody = try? JSONSerialization.data(withJSONObject: parameters as Any, options: .prettyPrinted) else {return}
req.httpBody = httpBody
let session = URLSession.shared
session.dataTask(with: req, completionHandler: {(data, response, error) in
if response != nil {
// print(response)
}
if let data = data {
do{
let json = try JSONSerialization.jsonObject(with: data, options: .mutableContainers) as! [String: Any]
print("the json of loginnnnnn \(json)")
var loginStatus = json["status"] as? String
DispatchQueue.main.async {
if loginStatus == "Failed"
{
AlertFun.ShowAlert(title: "", message: "Invalid creadintials", in: self)
}
else{
self.Uid = json["id"] as? String
let emailL = json["user_email"] as? String
print("login uid \(self.Uid)")
KeychainWrapper.standard.set(emailL ?? "", forKey: "user_email")
let saveUserId: Bool = KeychainWrapper.standard.set(self.Uid!, forKey: "Uid")
let mainStoryBoard = UIStoryboard(name: "Main", bundle: nil)
let navigationController = mainStoryBoard.instantiateViewController(withIdentifier: "HomeNavigation")
let appDelagate = UIApplication.shared.delegate
appDelagate?.window??.rootViewController = navigationController
}
}
}catch{
print("error")
}
}
}).resume()
}
如果我点击没有电话号码和密码的登录按钮,它总是显示 Invalid creadintials
请帮我写代码。
使用 isEmpty
而不是等于 ""
您可以尝试这个或最重要的解决方案
if userIdTextFielf.text?.isEmptyOrWhitespace() ?? true
{
AlertFun.ShowAlert(title: "", message: "Please enter PhoneNumber", in: self)
return
}
else if passwordTextField.text?.isEmptyOrWhitespace() ?? true
{
AlertFun.ShowAlert(title: "", message: "Please enter Password", in: self)
return
}
extension String {
func isEmptyOrWhitespace() -> Bool {
if(self.isEmpty) {
return true
}
return (self.trimmingCharacters(in: NSCharacterSet.whitespaces) == "")
}
您似乎在文本字段的 text
属性 中放置了一些占位符字符串。通常我们不会那样做。将占位符字符串放在文本字段的 placeholder
属性 中,它会准确地执行您想要的操作,即如果为空则显示占位符文本,否则显示用户输入的内容。然后你就不需要 textFieldDidBeginEditing
实现,你的简单 isEmpty
检查就可以了。
如果您想使用 text
属性 执行您自己的手动占位符过程,那么您必须更改验证逻辑,同时检查 isEmpty
和它不是等于您的占位符文本。
例如,您可以使用实用程序方法来确定用户实际输入的内容(即,如果它等于默认文本字符串,则 return 零长度字符串):
@IBAction func didTapLogin(_ sender: Any) {
let userid = actualInput(for: useridTextField, defaultText: "Enter userid")
let password = actualInput(for: passwordTextField, defaultText: "Enter password")
switch (userid.isEmpty, password.isEmpty) {
case (true, true):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber & Password", in: self)
case (true, _):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber", in: self)
case (_, true):
AlertFun.showAlert(title: "", message: "Please enter Password", in: self)
default:
logInService()
}
}
func actualInput(for textField: UITextField, defaultText: String) -> String {
let text = textField.text ?? ""
if text == defaultText {
return ""
} else {
return text.trimmingCharacters(in: .whitespacesAndNewlines)
}
}
就个人而言,即使您在 text
技巧中使用自定义占位符,我仍可能会将占位符字符串存储在 placeholder
属性 中以保存它。我也可以将其移动到 UITextField
:
extension UITextField {
var userInput: String? { text == placeholder ? "" : text }
}
那么你可以这样做:
class ViewController: UIViewController {
@IBOutlet weak var imageView: UIImageView!
@IBOutlet weak var useridTextField: UITextField!
@IBOutlet weak var passwordTextField: UITextField!
override func viewDidLoad() {
super.viewDidLoad()
useridTextField.placeholder = "Please enter userid"
passwordTextField.placeholder = "Please enter password"
useridTextField.text = useridTextField.placeholder
passwordTextField.text = passwordTextField.placeholder
}
@IBAction func didTapLogin(_ sender: Any) {
let userid = useridTextField.userInput ?? ""
let password = passwordTextField.userInput ?? ""
switch (userid.isEmpty, password.isEmpty) {
case (true, true):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber & Password", in: self)
case (true, _):
AlertFun.showAlert(title: "", message: "Please enter PhoneNumber", in: self)
case (_, true):
AlertFun.showAlert(title: "", message: "Please enter Password", in: self)
default:
logInService()
}
}
func logInService() { ... }
}
extension ViewController: UITextFieldDelegate {
func textFieldDidBeginEditing(_ textField: UITextField) {
if textField.text == textField.placeholder {
textField.text = ""
}
}
func textFieldDidEndEditing(_ textField: UITextField, reason: UITextField.DidEndEditingReason) {
if textField.text?.isEmpty ?? true {
textField.text = textField.placeholder
}
}
}
这样,您就可以避免在代码中散布字符串文字,即使用户点击字段(您删除文本的地方),他们现在也可以看到占位符字符串,因此他们知道要输入什么,等等。