我正在为Zoho编写一个客户端库,并拥有一组具有所有Maybe a字段的不同记录类型,即:
data Approval = Approval
{ apDelegate :: Maybe Bool
, apApprove :: Maybe Bool
, apReject :: Maybe Bool
, apResubmit :: Maybe Bool
} deriving (Eq, Show, Generic)
data ContactSpecialFields = ContactSpecialFields
{ csfCurrencySymbol :: Maybe Text -- $currency_symbol
, csfState :: Maybe Text -- $state
, csfProcessFlow :: Maybe Bool -- $process_flow
, csfApproved :: Maybe Bool -- $approved
, csfApproval :: Approval -- $approval
, csfEditable :: Maybe Bool -- $editable
} deriving (Eq, Show)
-- and so on我需要一种方法来定义这类类型的“空”记录,例如:
emptyApproval :: Approval
emptyApproval = Approval
{ apDelegate = Nothing
, apApprove = Nothing
, apReject = Nothing
, apResubmit = Nothing
}因此,我向GHC.Generics求助,得到了一些有用的东西(这是buggy!):
-- These parts seem logically correct to me...
class GEmptyZohoStructure f where
gEmptyZohoStructure :: f p
instance (GEmptyZohoStructure f, GEmptyZohoStructure g) => GEmptyZohoStructure (f :*: g) where
gEmptyZohoStructure = (gEmptyZohoStructure :: f p) :*: (gEmptyZohoStructure :: g p)
instance GEmptyZohoStructure Maybe where
gEmptyZohoStructure = Nothing
class EmptyZohoStructure a where
emptyZohoStructure :: a
default emptyZohoStructure :: (Generic a, (GEmptyZohoStructure (Rep a))) => a
emptyZohoStructure = GHC.Generics.to gEmptyZohoStructure
-- Whereas these parts are random type-class instances that I've written, just
-- to get the code to compile.
instance (GEmptyZohoStructure f) => GEmptyZohoStructure (M1 i t f) where
gEmptyZohoStructure = (gEmptyZohoStructure :: f p)
instance (GEmptyZohoStructure f) => GEmptyZohoStructure (K1 i (f p)) where
gEmptyZohoStructure = gEmptyZohoStructure
instance EmptyZohoStructure Approval当代码编译时,以下(可以理解)在运行时导致堆栈溢出:
ghci> emptyZohoStructure :: Approval
*** Exception: stack overflow我遵循在encode上提供的https://www.stackage.org/haddock/lts-12.1/base-4.11.1.0/GHC-Generics.html#g:12教程,在那里,由于参数被传递给encode函数,它允许一个人打开M1 / K1构造函数并构建一些有意义的递归层次结构。如何为用例编写泛型的M1 K1 和K1(其中泛型函数实际上没有任何参数)?
发布于 2019-12-29 13:01:39
在泛型类型中定义GEmptyZohoStructure Maybe是没有意义的。
class G f where
gempty' :: f p
instance (G f, G g) => G ( f :*: g) where
gempty' = gempty' :*: gempty'
instance G c => G (D1 x c) where
gempty' = M1 gempty'
instance G s => G (C1 x s) where
gempty' = M1 gempty'
instance E t => G (S1 m (Rec0 t)) where -- the key instance
gempty' = M1 (K1 gempty)
class E a where
gempty :: a
default gempty :: (Generic a, G (Rep a)) => a
gempty = to gempty'
instance E (Maybe a) where
gempty = Nothing在此之后,您可以定义由可能值组成的任何产品类型。
https://stackoverflow.com/questions/59518275
复制相似问题