6

我在 application.conf 中有一个布尔参数:

system.debugMode = false

我正在尝试根据我的 scala 模板中的 this 值进行分支:

<p>Debug mode parameter value: @Play.current.configuration.getBoolean("system.debugMode")</p>

@if(Play.current.configuration.getBoolean("system.debugMode")) {
    <p>Debug mode on</p>
} else {
    <p>Debug mode off</p>
}

我希望看到输出“调试模式关闭”,但我实际看到的是:

Debug mode parameter value: false

Debug mode on

我这里有选角问题吗?似乎我的值从配置文件返回为“假”,但@if 语句将其评估为真。我注意到 API 声明 getBoolean 方法返回一个包含布尔值的选项,所以也许这不能放入 if 评估中?

4

1 回答 1

6

play.api.Configuration.getBoolean()返回一个Option[Boolean]. 在 Play 的模板引擎中,即使选项 contains ,在 if 条件下,Optioncontaining总是会评估为 true 。Some(...)Some(false)

作为测试,我为 an 创建了所有可能的值,并在模板中Option[Boolean]测试了它们在 an 中发生的情况。@if(...)

控制器:

object Application extends Controller {
  def index = Action {
    val a: Option[Boolean] = None
    val b: Option[Boolean] = Some(true)
    val c: Option[Boolean] = Some(false)
    Ok(views.html.index(a, b, c))
  }
}

模板:

@(a: Option[Boolean], b: Option[Boolean], c: Option[Boolean])

@if(a) { a }
@if(b) { b }
@if(c) { c }

运行它会给出输出"b c"

如果您的配置参数具有默认值,请使用以下命令获取选项的值getOrElse

Play.current.configuration.getBoolean("system.debugMode").getOrElse(defaultValue)

如果您确定 config 参数将始终存在(或者您对模板报告调试模式已关闭(如果未设置参数)感到满意),您还可以flatten选择:

Play.current.configuration.getBoolean("system.debugMode").flatten
于 2013-09-17T12:40:46.270 回答