Here’s a new little series of posts where I’ll document some bite-sized things I learned while picking up Haskell, focusing on things that weren’t immediately intuitive and didn’t have easily Googleable answers.
First up: integrating Yesod with Morpheus GraphQL! Morpheus provides examples for scotty
and servant
integration, but Scotty wasn’t full-featured enough for my needs, and I’m not familair with servant. Yesod to the rescue! But, you’ll find that the syntax shown in the scotty and servant examples for declaring your GraphQL API, will not cooperate with Yesod. Here’s how it is in the simplest Scotty example from the Morpheus docs:
-- Definition of GraphQL API
gqlApi :: ByteString -> IO ByteString
gqlApi = interpreter rootResolver
-- Hooking it up to Scotty handler
main :: IO ()
main = scotty 3000 $ post "/api" $ raw =<< (liftIO . gqlApi =<< body)
You might think you can just snag the liftIO . gqlApi =<< body
, stick it in a Yesod handler unchanged, and pass in the POST request body. Sadly, you’d be wrong- Yesod expects different types.
Thanks to a single GitHub issue courtesy tuxagon, I discovered the correct syntax, and it’s really quite simple. All you have to do is change the type signature:
-- Type signature changed from ByteString to GQLRequest/Response
graphqlApi :: GQLRequest -> IO GQLResponse
graphqlApi =
interpreter rootResolver
-- Now it works like you'd expect
postGraphqlR :: Handler Value
postGraphqlR = do
body <- requireCheckJsonBody :: Handler GQLRequest
result <- (liftIO . graphqlApi) body
returnJson result
Now, suppose you want to use the App
syntax from Morpheus. So instead of using interpreter
, your Morpheus GraphQL code now looks like this:
app :: App APIEvent IO
app = deriveApp rootResolver
We can still stitch this into a Yesod handler quite easily! The key is in the definition of interpreter:
interpreter ::
(MapAPI a b, RootResolverConstraint m e query mut sub) =>
RootResolver m e query mut sub ->
a ->
m b
interpreter = runApp . deriveApp
Hey, interpreter
is just using deriveApp
under the hood, just like app
does! So all we need to do in our Yesod handler, is apply runApp
to app
, and we’ll have the same GraphQL API as we did before. All it takes is one little where
clause:
app :: App APIEvent IO
app = deriveApp rootResolver
postGraphqlR :: Handler Value
postGraphqlR = do
body <- requireCheckJsonBody :: Handler GQLRequest
result <- (liftIO . graphqlApi) body
returnJson result
where graphqlApi = runApp app :: GQLRequest -> IO GQLResponse
Things get a bit more complex once we need WebSockets support… This will hopefully come in a later blog entry!