我使用Swift和Xcode 6.1.1编写了一个简单的应用程序。该程序是一个简单的计算器,运行良好,但我还没有能够验证三个文本字段的非零输入。结果,如果用户将该字段留空,然后点击"计算,"应用程序崩溃。
该应用程序需要三个输入,最初为字符串。我写了一个if语句来检查nil,但它不起作用 - 无论如何它都会传递给else。这是与我的问题相关的代码块:
...
@IBOutlet var calcButton: UIBarButtonItem!
@IBOutlet var yearOneField: UITextField!
@IBOutlet var yearTwoField: UITextField!
@IBOutlet var yearThreeField: UITextField!
@IBOutlet var displayWindow: UILabel!
@IBAction func calcButtonTapped(sender: AnyObject) {
if (yearOneField == nil) {
displayWindow.text = ("Non-zero entries are not permitted. Please enter new values.")
} else {
let yearOne = yearOneField.text.toInt()
let yearTwo = yearTwoField.text.toInt()
let yearThree = yearThreeField.text.toInt()
...
我以为我可以将IBOutlet评估为零,但这并不起作用。我是Swift和Xcode的新手,所以我希望这对那些经验丰富的开发人员来说是一个n00b问题。谢谢。
答案 0 :(得分:2)
如果您忘记在 Interface Builder 中连接它们,则@IBOutlet
可能是nil
的唯一方法。通常你不需要检查,因为崩溃会告诉你解决这个问题。
toInt()
函数返回一个可选Int
(又名Int?
),在使用之前必须将其解包。如果文本字段中的值不代表有效toInt()
,则nil
将返回Int
。 " 2.1","七",""如果使用nil
转换,则会返回toInt()
。我建议您使用可选绑定(if let
)语法检查nil
的转换,如果不是nil
则打开结果:
if let yearOne = yearOneField.text.toInt() {
if let yearTwo = yearTwoField.text.toInt() {
if let yearThree = yearThreeField.text.toInt() {
// yearOne, yearTwo, and yearThree are all valid Ints
// so do the calculations
}
}
}
或者,如果您知道要在字段无法转换为0
时使用默认值(例如Int
),则可以使用 nil coalescing operator ??
,如下所示:
let yearOne = yearOneField.text.toInt() ?? 0
let yearTwo = yearTwoField.text.toInt() ?? 0
let yearThree = yearThreeField.text.toInt() ?? 0
答案 1 :(得分:1)
文本字段本身永远不会是nil
。它们是在初始化期间创建和分配的,您永远不会删除它们。
我想您要检查他们的text
属性是否包含任何文本,您可以这样做:
针对Swift 2进行了更新:
if let text = yearOneField.text where !text.isEmpty {
// perform the conversions
} else {
// the text field is empty
}
您可以使用guard
来避免嵌套:
guard let text = yearOneField.text where !text.isEmpty else {
// the text field is empty
return
}
// perform the conversions
我更喜欢guard
语法,因为它更清楚理想结果是什么。
答案 2 :(得分:0)
您可以像检查常规可选内容一样进行检查。
guard let unwrapped = myLabel else {return}
或者这样
if myLabel == nil {
//do stuff
}
或者像这样:
if let unwrappedLabel = myLabel {
}