1

我正在开发简单的应用程序,用户可以在其中登录并阅读网络上的文章。我最近添加了一个代码,它在处理 segue 时在第二个视图中设置标题,但不幸的是我在第二页的标题是 nil。我在情节提要中有一个对象正确连接到视图控制器中的变量,我检查了两次。我不知道该怎么做,也许我没有正确解开一些东西。

代码:

import UIKit

class MainViewController: UIViewController, UITabBarDelegate, UITabBarControllerDelegate, UIToolbarDelegate {
    @IBOutlet var titleLabel: UILabel!

    @IBOutlet var newsBar: UIToolbar!
    @IBOutlet var accountBar: UITabBar!

    override func viewDidLoad() {
        super.viewDidLoad()

        accountBar.delegate = self
        newsBar.delegate = self

        titleLabel.backgroundColor = UIColor(netHex: 0x00B0E4)

        titleLabel.textColor = UIColor.whiteColor()
        titleLabel.font = UIFont.boldSystemFontOfSize(16.0)
    }

    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
    }

    override func shouldPerformSegueWithIdentifier(identifier: String, sender: AnyObject?) -> Bool {
        return true
    }

    override func prepareForSegue(segue: UIStoryboardSegue, sender: AnyObject?) {
        let next: SectionViewController = segue.destinationViewController as! SectionViewController

        switch segue.identifier! {
            case "hardwareSectionSegue":
                next.titleLabel.text = "Rubrika o hardwaru"

            case "softwareSectionSegue":
                next.titleLabel.text = "Rubrika o softwaru"

            case "webSectionSegue":
                next.titleLabel.text = "Rubrika o webových technologiích"

            case "programmerSectionSegue":
                next.titleLabel.text = "Rubrika o programování"

            case "mobileSectionSegue":
                next.titleLabel.text = "Rubrika o mobilních zažízeních"

            default:
                next.titleLabel.text = "Rubrika nenalezena"

                next.titleLabel.backgroundColor = UIColor.redColor()
        }
    }

    @IBAction func unwindSegue(unwindSegue: UIStoryboardSegue) {}
}

异常发生在我尝试将值分配给的第一种情况下next.titleLabel.text。它说它titleLabel是零,它不应该是。

SectionViewController:

import UIKit

class SectionViewController: UIViewController {
    @IBOutlet var titleLabel: UILabel!

    override func viewDidLoad() {
        super.viewDidLoad()
    }

    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
    }
}

我很确定这是由那种类型转换引起的,但是如果 segue 甚至不知道下一个视图将具有什么类型,我该如何正确设置属性?

4

1 回答 1

2

我可以看到你想要做什么,但恐怕 iOS 不允许你那样做。在您的prepareForSegue()方法中,您尝试通过直接设置文本值来修改正在创建的视图控制器。

iOS 延迟加载尽可能多,这意味着在您的程序中此时标签实际上并没有被创建——它确实是nil. 如果您在该行上放置一个断点,您应该能够po next.titleLabel在调试器窗口中运行以查看nil返回。如果您po next.view先运行,它将强制 iOS 创建视图及其所有子视图,此时po next.titleLabel再次运行将按预期工作。

如果您尝试在 Xcode 中创建模板 Master-Detail Application 项目,您将看到正确的解决方案:在新视图控制器中设置一个属性,然后将该值传输到viewDidLoad().

摘要:当您从视图控制器 A 导航到视图控制器 B 时,不要让 A 尝试配置 B 的 UI。相反,向 B 发送它需要的值,并让 B 自行配置。

于 2015-12-17T18:27:39.270 回答