我正在尝试在我的应用中添加功能,以允许用户在名为“设置”的视图中更改应用的背景主题(亮/暗)。如果我通过使用样式表类中的两个不同样式表来更改主题,那么如何更改应用程序在执行期间使用的样式表?有更简单的方法吗?
我可以在下面找到这些设置的代码。对代码的任何改进都是有帮助的:
class Settings(){
var BackGroundTheme: BackGroundThemeState = BackGroundThemeState.Light
}
enum class BackGroundThemeState{Light, Dark}
class SettingsController: Controller(){
private var settings = Settings()
fun changeTheme(state: BackGroundThemeState){
when(state){
Light -> settings.BackGroundTheme = Light
Dark -> settings.BackGroundTheme = Dark
}
when(settings.BackGroundTheme){
// Light -> do nothing for now
Dark -> importStylesheet(app.DarkThemeStyleSheet)
}
reloadStylesheetsOnFocus()
}
}
class SettingsView: View("Settings"){
val settings: SettingsController by inject()
private val toggleGroup = ToggleGroup()
override val root = vbox(){
alignment = Pos.BOTTOM_CENTER
setPrefSize(300.0, 200.0)
hbox(){
alignment = Pos.BASELINE_LEFT
vbox {
paddingTop = 10.0
paddingLeft = 30.0
paddingBottom = 90.0
label("Theme")
radiobutton("Light", toggleGroup){
isSelected = true
action {
settings.changeTheme(Light)
}
}
radiobutton("Dark", toggleGroup) {
action {
settings.changeTheme(Dark)
}
}
}
}
hbox {
alignment = Pos.BOTTOM_RIGHT
paddingRight = 15.0
paddingBottom = 10.0
button("OK"){
setPrefSize(70.0, 30.0)
action{
find(SettingsView::class).close()
}
}
}
}
}
答案 0 :(得分:2)
如果您依赖可观察的属性,这可以更顺利地完成。创建一个包含当前主题的属性并删除旧属性,并在此属性更改时添加新主题。
您可以依靠切换组的内置功能绑定到活动主题属性。
这是一个完整的应用程序,显示了这个:
class MyThemeApp : App(SettingsView::class) {
val themeController: ThemeController by inject()
override fun start(stage: Stage) {
super.start(stage)
// Make sure we initialize the theme selection system on start
themeController.start()
}
}
class ThemeController : Controller() {
// List of available themes
val themes = SimpleListProperty<KClass<out Stylesheet>>(listOf(LightTheme::class, DarkTheme::class).observable())
// Property holding the active theme
val activeThemeProperty = SimpleObjectProperty<KClass<out Stylesheet>>()
var activeTheme by activeThemeProperty
fun start() {
// Remove old theme, add new theme on change
activeThemeProperty.addListener { _, oldTheme, newTheme ->
oldTheme?.let { removeStylesheet(it) }
newTheme?.let { importStylesheet(it) }
}
// Activate the first theme, triggering the listener above
activeTheme = themes.first()
}
}
class SettingsView : View("Settings") {
val settings: ThemeController by inject()
override val root = form {
fieldset("Theme") {
field {
vbox {
togglegroup {
// One radio button for each theme, with their value set as the theme
settings.themes.forEach { theme ->
radiobutton(theme.simpleName, getToggleGroup(), theme)
}
// The toggle group value is bound to the activeThemeProperty
bind(settings.activeThemeProperty)
}
}
}
buttonbar {
button("OK").action(this@SettingsView::close)
}
}
}
}
// Two themes for completeness
class DarkTheme : Stylesheet() {
init {
root {
backgroundColor += Color.DARKGREEN
}
}
}
class LightTheme : Stylesheet() {
init {
root {
backgroundColor += Color.LIGHTCYAN
}
}
}