是否可以使用==
来比较Elm中标记的联合类型的构造函数,或者您是否必须使用大小写?
示例:
type alias Model =
{ accessToken : String
, page : Page
, config : Config
}
type Page
= Home String
| Profile String
menu : Model -> Html Msg
menu model =
div []
[ a [ href "#home", classList [ ("active", model.page == Home) ] ][ text "Home" ]
, a [ href "#profile", classList [ ("active", model.page == Profile)] ][ text "Profile" ]
]
在这个例子中,我想写一些类似于model.page == Home来检查当前页面是否为Home,这样我就可以在该链接上将css类设置为“active”,但它似乎我必须使用一个案例,我可以这样做,但对于这种情况实施起来有点尴尬。
答案 0 :(得分:8)
不,您不能使用==
来检查用于创建标记联合值的构造函数。我们通常采用的方式是通过一些辅助函数:
isHome : Page -> Bool
isHome pg =
case pg of
Home _ -> True
_ -> False
isProfile : Page -> Bool
isProfile pg =
case pg of
Profile _ -> True
_ -> False
这在调用时会产生同样可读的代码:
menu : Model -> Html Msg
menu model =
div []
[ a [ href "#home", classList [ ( "active", isHome model.page ) ] ] [ text "Home" ]
, a [ href "#profile", classList [ ( "active", isProfile model.page ) ] ] [ text "Profile" ]
]