代码之家  ›  专栏  ›  技术社区  ›  PeptideWitch

在java/kotlin中通过inject()将变量传递给类构造函数

  •  0
  • PeptideWitch  · 技术社区  · 6 年前

    我的主课是这样安排的:

    class MyView : View() {    
    
        val controller: PollController by inject()
        etc
    }
    

    我想传入一个变量(就像路径文件的字符串)

    class PollController : Controller() {
    
    val currentData = SimpleStringProperty()
    val stopped = SimpleBooleanProperty(true)
    
    val scheduledService = object : ScheduledService<DataResult>() {
        init {
            period = Duration.seconds(1.0)
        }
        override fun createTask() : Task<DataResult> = FetchDataTask()
    }
    
    fun start() {
        scheduledService.restart()
        stopped.value = false
    }
    
    inner class FetchDataTask : Task<DataResult>() {
    
        override fun call() : DataResult {
            return DataResult(SimpleStringProperty(File(**path**).readText()))
        }
    
        override fun succeeded() {
            this@PollController.currentData.value = value.data.value // Here is the value of the test file
        }
    
    }
    

    }

    [数据结果只是一个SimpleStringProperty数据类]

    这样PollController类中的函数可以引用路径文件。我搞不懂注入是如何工作的;@Inject总是保持红色并且adding构造函数抛出Controller()对象返回

    2 回复  |  直到 6 年前
        1
  •  1
  •   Edvin Syse    6 年前

    这是一个很好的作用域用例。作用域隔离控制器和视图模型,以便您可以使用不同版本的资源拥有不同的作用域。如果还添加了一个ViewModel来保存上下文,则可以执行以下操作:

    class MyView : View() {
        val pc1: PollController by inject(Scope(PollContext("somePath")))
        val pc2: PollController by inject(Scope(PollContext("someOtherPath")))
    }
    

    现在将context对象添加到控制器中,以便您可以从控制器实例中的任何函数访问它。

    class PollController : Controller() {
        val context : PollContext by inject()
    }
    

    上下文对象可以同时包含输入/输出变量。在本例中,它将输入路径作为参数。请注意,这样的ViewModel不能由框架实例化,因此您必须像上面所示那样手动将其中一个放入作用域中。

    class PollContext(path: String) : ViewModel() {
        val pathProperty = SimpleStringProperty(path)
        var path by pathProperty
    
        val currentDataProperty = SimpleStringProperty()
        var currentData by currentDataProperty
    }
    
        2
  •  1
  •   DVarga    6 年前

    你可以这样做:

    主应用程序

    class MyApp: App(MainView::class)
    

    主视图

    class MainView : View() {
        override val root = hbox {
            add(FileView("C:\\passedTestFile.txt"))
        }
    }
    

    文件视图

    class FileView(filePath: String = "C:\\test.txt") : View() {
    
        private val controller : FileController by inject(params = mapOf("pathFile" to filePath))
    
        override val root = hbox {
            label(controller.pathFile)
        }
    }
    

    文件控制器

    class FileController: Controller() {
        val pathFile : String by param()
    }
    

    控制器使用参数访问路径 by param() ,视图通过构造函数参数期望此变量,并在注入控制器时使用它( inject 委托有一个可选的 params 参数)。使用此视图时只剩下的东西(在 MainView )在创建实例时传递文件路径。

    结果是:

    enter image description here

    不过,这项工作我将创建3层而不是2层,经典的模型-视图-控制器(或任何派生)层,我将在模型中存储文件路径。