小编典典

在Swift中下标的含糊使用

swift

在我的Swift代码中,我不断收到“模棱两可地使用下标”的错误。我不知道是什么原因导致此错误。它只是随机弹出。这是我的代码:

if let path = NSBundle.mainBundle().pathForResource("MusicQuestions", ofType: "plist") {
    myQuestionsArray = NSArray(contentsOfFile: path)
}

var count:Int = 1
let currentQuestionDict = myQuestionsArray!.objectAtIndex(count)

if let button1Title = currentQuestionDict["choice1"] as? String {
    button1.setTitle("\(button1Title)", forState: UIControlState.Normal)
}

if let button2Title = currentQuestionDict["choice2"] as? String {
    button2.setTitle("\(button2Title)", forState: UIControlState.Normal)
}

if let button3Title = currentQuestionDict["choice3"] as? String {
    button3.setTitle("\(button3Title)", forState: UIControlState.Normal)
}
if let button4Title = currentQuestionDict["choice4"] as? String {
    button4.setTitle("\(button4Title)", forState: UIControlState.Normal)
}

if let question = currentQuestionDict["question"] as? String!{
    questionLabel.text = "\(question)"
}

阅读 241

收藏
2020-07-07

共1个答案

小编典典

问题是您正在使用NSArray:

myQuestionsArray = NSArray(contentsOfFile: path)

这意味着这myQuestionArray是一个NSArray。但是NSArray没有有关其元素的类型信息。因此,当您到达这一行时:

let currentQuestionDict = myQuestionsArray!.objectAtIndex(count)


Swift没有类型信息,必须创建currentQuestionDict一个AnyObject。但是您不能对AnyObject下标,因此类似的表达式currentQuestionDict["choice1"]无法编译。

解决方案是使用Swift类型。如果您知道currentQuestionDict真正的含义,请键入该类型。至少,由于您似乎相信这是一本字典,因此请使其成为一本字典。键入为[NSObject:AnyObject](如果可能,则更具体)。您可以通过多种方式进行操作;一种方法是在创建变量时进行强制转换:

let currentQuestionDict = 
    myQuestionsArray!.objectAtIndex(count) as! [NSObject:AnyObject]

简而言之,如果可以避免使用NSArray和NSDictionary,则不要使用(通常可以避免使用)。如果您从Objective-
C收到一个,请输入它的真实名称,以便Swift可以使用它。

2020-07-07