如何使用 fyne 避免 GUI 应用程序中的循环依赖?

How to avoid circular dependencies in a GUI application with fyne?

我想将 GUI 添加到我用 Go 编写的命令行应用程序,但我 运行 遇到 fyne 和循环依赖性问题。

考虑这个简单的例子来说明我面临的问题:假设一个按钮在我的模型 class 上触发了一个耗时的方法(比如获取数据左右)并且我希望视图在以下时间更新任务完成。

我首先实现了一个非常幼稚且完全没有解耦的解决方案,它显然遇到了 go 编译器引发的循环依赖错误。考虑以下代码:

main.go

package main

import (
    "my-gui/gui"
)

func main() {
    gui.Init()
}

gui/gui.go

package gui

import (
    "my-gui/model"
    //[...] fyne imports
)

var counterLabel *widget.Label

func Init() {
    myApp := app.New()
    myWindow := myApp.NewWindow("Test")

    counterLabel = widget.NewLabel("0")

    counterButton := widget.NewButton("Increment", func() {
        go model.DoTimeConsumingStuff()
    })

    content := container.NewVBox(counterLabel, counterButton)

    myWindow.SetContent(content)
    myWindow.ShowAndRun()
}

func UpdateCounterLabel(value int) {
    if counterLabel != nil {
        counterLabel.SetText(strconv.Itoa(value))
    }
}

model/model.go

package model

import (
    "my-gui/gui" // <-- this dependency is where it obviously hits the fan
    //[...]
)

var counter = 0

func DoTimeConsumingStuff() {
    time.Sleep(1 * time.Second)
    
    counter++

    fmt.Println("Counter: " + strconv.Itoa(counter))
    gui.UpdateCounterLabel(counter)
}

所以我想知道如何正确解耦这个简单的应用程序以使其正常工作。我想到的:

任何人都可以为我指出这个问题的惯用解决方案吗?我可能在这里遗漏了一些非常非常基本的东西......

Return 值

你可以return这个值。

func DoTimeConsumingStuff() int {
    time.Sleep(1 * time.Second)
    counter++
    return counter
}

然后点击按钮生成一个匿名 goroutine,以免阻塞 UI。

counterButton := widget.NewButton("Increment", func() {
    go func() {
        counter := model.DoTimeConsumingStuff(counterChan)
        UpdateCounterLabel(counter)
    }()      
})

回调

您可以将 UpdateCounterLabel 函数传递给您的模型函数,也就是回调。

func DoTimeConsumingStuff(callback func(int)) {
    time.Sleep(1 * time.Second)
    counter++
    callback(counter)
}
counterButton := widget.NewButton("Increment", func() {
    go model.DoTimeConsumingStuff(UpdateCounterLabel)
})

频道

也许您还可以将通道传递给您的模型函数。但是使用上述方法,这似乎不是必需的。潜在地,如果您有不止一个计数器值。

func DoTimeConsumingStuff(counterChan chan int) {
    for i := 0; i < 10; i++ {
        time.Sleep(1 * time.Second)
        counter++
        counterChan <- counter
    }
    close(counterChan)
}

在 GUI 然后你可以从频道接收,再次在 goroutine 中为了不阻塞 UI.

counterButton := widget.NewButton("Increment", func() {
    go func() {
        counterChan := make(chan int)
        go model.DoTimeConsumingStuff(counterChan)
        for counter := range counterChan {
            UpdateCounterLabel(counter)
        }
    }()      
})

当然,您也可以再次使用在每次迭代时调用的回调。