我正在尝试为Aeson写一个FromJSON
函数。
JSON:
{
"total": 1,
"movies": [
{
"id": "771315522",
"title": "Harry Potter and the Philosophers Stone (Wizard's Collection)",
"posters": {
"thumbnail": "http://content7.flixster.com/movie/11/16/66/11166609_mob.jpg",
"profile": "http://content7.flixster.com/movie/11/16/66/11166609_pro.jpg",
"detailed": "http://content7.flixster.com/movie/11/16/66/11166609_det.jpg",
"original": "http://content7.flixster.com/movie/11/16/66/11166609_ori.jpg"
}
}
]
}
ADT:data Movie = Movie {id::String, title::String}
我的尝试:
instance FromJSON Movie where
parseJSON (Object o) = do
movies <- parseJSON =<< (o .: "movies") :: Parser Array
v <- head $ decode movies
return $ Movie <$>
(v .: "movies" >>= (.: "id") ) <*>
(v .: "movies" >>= (.: "title") )
parseJSON _ = mzero
这会给Couldn't match expected type 'Parser t0' with actual type 'Maybe a0' In the first argument of 'head'
。
正如您所看到的,我正在尝试选择Array
中的第一部电影,但我不介意获取电影列表(如果数组中有几部电影)。
答案 0 :(得分:11)
如果你真的想从JSON电影数组中解析一个Movie
,你可以这样做:
instance FromJSON Movie where
parseJSON (Object o) = do
movieValue <- head <$> o .: "movies"
Movie <$> movieValue .: "id" <*> movieValue .: "title"
parseJSON _ = mzero
但更安全的路线是通过[Movie]
包装解析newtype
:
main = print $ movieList <$> decode "{\"total\":1,\"movies\":[ {\"id\":\"771315522\",\"title\":\"Harry Potter and the Philosophers Stone (Wizard's Collection)\",\"posters\":{\"thumbnail\":\"http://content7.flixster.com/movie/11/16/66/11166609_mob.jpg\",\"profile\":\"http://content7.flixster.com/movie/11/16/66/11166609_pro.jpg\",\"detailed\":\"http://content7.flixster.com/movie/11/16/66/11166609_det.jpg\",\"original\":\"http://content7.flixster.com/movie/11/16/66/11166609_ori.jpg\"}}]}"
newtype MovieList = MovieList {movieList :: [Movie]}
instance FromJSON MovieList where
parseJSON (Object o) = MovieList <$> o .: "movies"
parseJSON _ = mzero
data Movie = Movie {id :: String, title :: String}
instance FromJSON Movie where
parseJSON (Object o) = Movie <$> o .: "id" <*> o .: "title"
parseJSON _ = mzero
答案 1 :(得分:8)
通常最简单的方法是将ADT和实例的结构与JSON的结构相匹配。
在这里,我添加了一个newtype MovieList
来处理最外层的对象,以便Movie
的实例只需要处理一部电影。这也可以通过列表的FromJSON
实例免费为您提供多部电影。
data Movie = Movie { id :: String, title :: String }
newtype MovieList = MovieList [Movie]
instance FromJSON MovieList where
parseJSON (Object o) =
MovieList <$> (o .: "movies")
parseJSON _ = mzero
instance FromJSON Movie where
parseJSON (Object o) =
Movie <$> (o .: "id")
<*> (o .: "title")
parseJSON _ = mzero