0

我正在为 iOS 项目分配任务,业务逻辑规则之一是让视图控制器作为输入参数接收id,但我不明白它的含义。

id是一个 JSON 对象字段,如下所示:

{
"id": 1213213,
"anotherKey:12322123,
"andAnotherKey: {
"keyInKey":123121
}
,
...
}

我的猜测是打开一个带有自定义初始化的视图控制器,如下所示:

    init(id: String) {
        
        super.init(nibName: nil, bundle: nil)
    }
    
    required init?(coder: NSCoder) {
        fatalError("init(coder:) has not been implemented")
    }
    
    
    override func viewDidLoad() {
        super.viewDidLoad()
        setupUI()
    }

我的理解可能是作业的意图吗?如果是这样,我如何实例化这个视图控制器SceneDelegate?我采用了 MVVM 模式,场景委托看起来不是离开视图模型的好地方。任何建议将不胜感激!

4

1 回答 1

1

我的理解可能是作业的意图吗?

不。如果您使用的是 MVVM,我宁愿将字符串值设置为 viewModel,并将完全配置的 viewModel 作为对 ViewController 的依赖项注入(称为控制反转原则 (IoC))。

如果你没有使用任何第三方依赖注入器,你总是可以使用init这被称为通过构造函数的依赖注入

引入依赖注入的方法有多种,对此的讨论不在此答案的范围内。

下面的答案假设您没有使用任何第三方依赖注入器并使用Constructor基于注入。

如何从 SceneDelegate 实例化此视图控制器?

第 1 步:有一个 viewModel 类

class ViewModelA {
    let someParam: String

    init(with param: String) {
        self.someParam = param
        //rest of code
    }
    //rest of code whatever makes sense here
    //modification of string any buisness logic
    //or hold other data models
}

第 2 步:将 ViewModel 作为构造函数注入 ViewController

class ViewControllerA: UIViewController {
    let viewModel: ViewModelA

    init(with viewModel: ViewModelA) {
        self.viewModel = viewModel
        super.init(nibName: nil, bundle: nil)
    }

    required init?(coder: NSCoder) {
        fatalError("init(coder:) has not been implemented")
    }

    //rest of code to set up, update UI and view delegates
}

Step3: willConnectTo session在SceneDelegate 方法中将视图控制器设置为窗口的根视图控制器

    func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
        // Use this method to optionally configure and attach the UIWindow `window` to the provided UIWindowScene `scene`.
        // If using a storyboard, the `window` property will automatically be initialized and attached to the scene.
        // This delegate does not imply the connecting scene or session are new (see `application:configurationForConnectingSceneSession` instead).
        guard let windowScene = (scene as? UIWindowScene) else { return }
        let window = UIWindow(windowScene: windowScene)
        let viewModelA = ViewModelA(with: "abcd")
        let viewControllerA = ViewControllerA(with: viewModelA)
        window.rootViewController = viewControllerA
        self.window = window
        window.makeKeyAndVisible()
    }

我采用了 MVVM 模式,场景委托看起来不是离开视图模型的好地方。

你必须在某个地方设置 rootView 控制器,你不觉得吗?之前我们曾经在 AppDelegate 中设置 rootView 控制器(从概念上讲,在 AppDelegate 中创建 ViewModel 和 ViewController 实例也有些不稳定)。即使您使用故事板并将某些视图控制器设置为初始视图控制器,即使 iOS 在引擎盖下也会做同样的事情。因为你想遵循 MVVM 而不是 MVC,你必须手动拦截和实例化 ViewController,并将 viewModel 作为其依赖项。

我个人更喜欢使用带有路由器的 MVVM,这样可以将创建和注入对 ViewController 的依赖项分离出来(更好的关注点分离)并且可以重用(更好的代码重用性)

于 2021-01-20T07:19:46.020 回答