我正在将History.js中的绑定编写成PureScript,并且仍在努力理解Eff monad,一系列效果是什么以及为什么它们很有价值。现在我用EasyFFI
type Title = String
type Url = String
type State = forall a. {title :: Title, url :: Url | a}
type Data = forall a. { | a}
type StateUpdater = Data -> Title -> Url -> Unit
-- this function is a work around for 'data' as a reserved word.
foreign import getData
"function getData(state){ return state['data']; }"
:: forall a b. { | a} -> b
unwrapState :: StateUpdater -> State -> Unit
unwrapState f s = f (getData s) s.title s.url
replaceState' :: StateUpdater
replaceState' = unsafeForeignProcedure ["data","title","url"] "History.replaceState(data,title,url)"
replaceState :: State -> Unit
replaceState = unwrapState replaceState'
foreign import data BeforeEach :: !
beforeEach :: forall e a. Eff e a -> Eff (beforeEach :: BeforeEach | e) Unit
beforeEach = unsafeForeignProcedure ["fn",""] "window.beforeEach(fn);"
稍后在代码中我有以下内容:
beforeEach $ do
replaceState {title = "wowzers!", url = "/foos"}
并收到以下错误
Cannot unify Prelude.Unit with Control.Monad.Eff.Eff u2518 u2517.
我尝试以各种方式操纵类型签名以尝试使其全部排成一行,但我并不真正理解出现了什么问题。所以它只是猜测这一点。
答案 0 :(得分:5)
我的代码的修改版本在本文末尾,但我必须做一些修改才能编译:
我假设您的StateUpdater
意图影响浏览器历史记录,因此我更改了其类型以使用Eff
monad和新的History
效果类型。这是主要问题,因为您的上一行使用了replaceState
,其结果类型不在Eff
monad中。这导致了您看到的类型错误。
我将类型同义词中的一些通用量化类型变量移动到函数类型中。我还删除了您的Data
类型同义词,并将数据内容移至data
类型的新State
字段中。
这很重要,因为您以前的Data
类型没有居民。有一个常见的误解(由于我不理解的原因)forall a. { | a}
是一种记录类型,“我不关心字段”。这是不正确的 - 这种类型表示包含可能存在的所有字段的记录类型,并且这种类型显然是无人居住的。从调用者的角度来看,forall a. {| a} -> r
和(forall a. {| a}) -> r
之间存在重要差异。
回答你原来的问题:“什么是一排效果,为什么它们有用?” - 最初将行添加到PureScript中以处理记录类型的多态性,而无需求助于子类型。行允许我们为使用记录的函数提供多态类型,这样我们就可以在类型系统中捕获“记录的其余部分”作为概念。
在处理效果时,Rows也是一个有用的概念。就像我们不关心记录的其余部分一样,我们通常不关心一组效果的其余部分是什么样的,只要所有效果在类型系统中正确传播。
举个例子,我的修改后的代码涉及两个效果:History
和BeforeEach
。行为beforeEach
和replaceState
每个只使用其中一种效果,但它们的返回类型是多态的。这允许main
中两个函数的组合具有两种效果,并且可以正确键入。 main
的类型forall eff. Eff (history :: History, beforeEach :: BeforeEach | eff) {}
是最常用的类型,由类型检查器推断。
简而言之,效果系统中的行提供了一种处理各种“本机”效果交错的简洁方法,因此开发人员不必担心效果顺序或lift
计算等问题àlamtl
。
module Main where
import EasyFFI
import Control.Monad.Eff
type Title = String
type Url = String
type State d = { title :: Title, url :: Url, "data" :: { | d } }
type StateUpdater d = forall eff. { | d } -> Title -> Url -> Eff (history :: History | eff) {}
foreign import data History :: !
unwrapState :: forall eff d. StateUpdater d -> State d -> Eff (history :: History | eff) {}
unwrapState f s = f s."data" s.title s.url
replaceState' :: forall d. StateUpdater d
replaceState' = unsafeForeignProcedure ["d","title","url"] "History.replaceState(d,title,url)"
replaceState :: forall eff d. State d -> Eff (history :: History | eff) {}
replaceState = unwrapState replaceState'
foreign import data BeforeEach :: !
beforeEach :: forall e a. Eff e a -> Eff (beforeEach :: BeforeEach | e) {}
beforeEach = unsafeForeignProcedure ["fn",""] "window.beforeEach(fn);"
main = beforeEach $ do
replaceState { title: "wowzers!", url: "/foos", "data": {} }