servant
A family of combinators for defining webservices APIs
| LTS Haskell 24.17: | 0.20.3.0@rev:2 | 
| Stackage Nightly 2025-10-31: | 0.20.3.0@rev:2 | 
| Latest on Hackage: | 0.20.3.0@rev:2 | 
servant-0.20.3.0@sha256:f2347271f8f3aecd8abb5e3744d9f893bb9fc8319bd89c03eefa6869a4347873,5781Module documentation for 0.20.3.0
- Servant- Servant.API
- Servant.API.Alternative
- Servant.API.BasicAuth
- Servant.API.Capture
- Servant.API.ContentTypes
- Servant.API.Description
- Servant.API.Empty
- Servant.API.Experimental
- Servant.API.Fragment
- Servant.API.Generic
- Servant.API.Header
- Servant.API.Host
- Servant.API.HttpVersion
- Servant.API.IsSecure
- Servant.API.Modifiers
- Servant.API.MultiVerb
- Servant.API.NamedRoutes
- Servant.API.QueryParam
- Servant.API.QueryString
- Servant.API.Range
- Servant.API.Raw
- Servant.API.RemoteHost
- Servant.API.ReqBody
- Servant.API.ResponseHeaders
- Servant.API.ServerSentEvents
- Servant.API.Status
- Servant.API.Stream
- Servant.API.Sub
- Servant.API.TypeErrors
- Servant.API.TypeLevel
- Servant.API.UVerb
- Servant.API.Vault
- Servant.API.Verbs
- Servant.API.WithNamedContext
- Servant.API.WithResource
 
- Servant.Links
- Servant.Test
- Servant.Types- Servant.Types.Internal
- Servant.Types.SourceT
 
 
- Servant.API
Changes
The latest version of this document is on GitHub.
Package versions follow the Package Versioning Policy: in A.B.C, bumps to either A or B represent major versions.
0.20.3.0
Significant changes
- 
Remove -XStrictData from servant{,-server}’s cabal files #1780 #1781 The addition of -XStrictData to servant.cabal and servant-server.cabal reduced the laziness of routing, which would trigger unimplemented endpoints using errororundefined, despite the fact that these endpoints themselves were not queried.
Other changes
- 
Server-sent events (SSE) for client-side #1811 Implement Server-sent events (SSE) for the Servant client using a new combinator “ServerSentEvents”. The raw event messages, accumulated events and JSON-processed events can be exposed. 
- 
Integrate MultiVerb #1766 #1804 Expose MultiVerb, a more ergonomic way of defining endpoints that return many kinds of responses. Read the cookbook https://docs.servant.dev/en/master/cookbook/multiverb/MultiVerb.html 
- 
Exported addQueryParam #1232 #1785 addQueryParamsis required to define customHasLinkinstances which actually manipulate the generated query params. This function was not exported earlier and now it is.
- 
Add Host API combinator #1800 Adding a Host combinator allows servant users to select APIs according to the Host header provided by clients. 
- 
Use newtype deriving for ToHttpApiData in the type Range #1813 
- 
Add public re-export of renderCurlBasePath lens #1706 
- 
Remove GHC <= 8.10.7 from the support window #1778 
- 
Add Servant.API.Range type #1805 
0.20.2
- 
Full query string helpers #1604 This PR introduces DeepQuery, a route combinator that implements a pattern commonly known as deep objects. It builds upon the convention of using[]for a list of parameters:books?filter[search]=value&filter[author][name]=value. The corresponding type would beDeepQuery "filter" BookQuery :> Get '[JSON] [Book].
- 
Add IsIn instance for NamedRoutes #1707 
- 
Renamed AtLeastOneFragmenttype class toAtMostOneFragment#1727The previously named AtLeastOneFragmenttype class defined in theServant.API.TypeLevelmodule has been renamed toAtMostOneFragment, since the previous name was misleading.
- 
Use Header'in response headers. #1697Use Header'instead ofHeaderin response, so it’s possible to provideDescription, for example:type PaginationTotalCountHeader = Header' '[ Description "Indicates to the client total count of items in collection" , Optional , Strict ] "Total-Count" IntNote: if you want to add header with description you should use addHeader'ornoHeader'which acceptsHeader'with all modifiers.
0.20.1
- Support aeson-2.2 #1695
0.20
- 
Generalize type of Servant.Types.SourceT.sourceto any foldable #1593
- 
Make Mime(Un)Render PlainText Stringinstances encode/decode UTF-8 #1645
- 
Add HasStatus instance for Headers (that defers StatusOf to underlying value) #1649 
- 
Make fromSourceIO run in IO #1661 Some streaming abstractions, like io-streams, require stateful initialization. Since all actual call sites of fromSourceIOare in a context whereIOactions can be executed, these streaming sources can be accomodated by having lettingfromSourceIOrun inIO.To migrate your existing FromSourceIOinstance, simply put apure/returnin front of it.
- 
Fix the handling of multiple headers with the same name. #1666 
0.19.1
Compatibility with GHC 9.4, see PR #1592.
0.19
Significant changes
- 
Drop support for GHC < 8.6. 
- 
Support GHC 9.0 (GHC 9.2 should work as well, but isn’t fully tested yet). 
- 
Support Aeson 2 (#1475), which fixes a DOS vulnerability related to hash collisions. 
- 
Add NamedRoutescombinator, making support for records first-class in Servant (#1388).Users can now directly mark part as an API as defined by a record, instead of using (:<|>)to combine routes. Concretely, the anonymous:type API = "version" :> Get '[JSON] String :<|> "products" :> Get '[JSON] [Product]can be replaced with the explicitly-named: type API = NamedRoutes NamedAPI data NamedAPI mode = NamedAPI { version :: mode :- "version" :> Get '[JSON] String , products :: mode :- "products" :> Get '[JSON] [Product] }NamedRoutesbuilds uponservant-generic, but improves usability by freeing users from the need to performtoServant/fromServantconversions manually. ServingNamedRoutes NamedAPIis now done directly by providing a record of handlers, and servant generates clients directly as records as well. In particular, it makes it much more practical to work with nested hierarchies of named routes.Two convenience functions, (//)and(/:), have been added to make the usage of named route hierarchies more pleasant:rootClient :: RootApi (AsClientT ClientM) rootClient = client (Proxy @API) helloClient :: String -> ClientM String helloClient name = rootClient // hello /: name endpointClient :: ClientM Person endpointClient = rootClient // subApi /: "foobar123" // endpoint type Api = NamedRoutes RootApi data RootApi mode = RootApi { subApi :: mode :- Capture "token" String :> NamedRoutes SubApi , hello :: mode :- Capture "name" String :> Get '[JSON] String , … } deriving Generic data SubApi mode = SubApi { endpoint :: mode :- Get '[JSON] Person , … } deriving Generic
- 
Add custom type errors for partially applied combinators (#1289, #1486). For example, forgetting to document the expected type for a query parameter, as in: type API = QueryParam "param" :> Get '[JSON] NoContentwill raise to the following error when trying to serve the API: • There is no instance for HasServer (QueryParam' '[Optional, Strict] "param" :> ...) QueryParam' '[Optional, Strict] "1" expects 1 more argumentsAs a consequence of this change, unsaturated types are now forbidden before (:>).
- 
Add a HeadNoContentverb (#1502).
- 
servant-client / servant-client-core / servant-http-streams: Fix erroneous behavior, where only 2XX status codes would be considered successful, irrelevant of the status parameter specified by the verb combinator. (#1469) 
- 
servant-client / servant-client-core: Fix Showinstance forServant.Client.Core.Request.
- 
servant-client / servant-client-core: Allow passing arbitrary binary data in Query parameters. (#1432). 
- 
servant-docs: Generate sample cURL requests (#1401). Breaking change: requires sample header values to be supplied with headers.
Other changes
- 
Various bit rotten cookbooks have been updated and re-introduced on docs.servant.dev. 
- 
Various version bumps. 
0.18.3
Significant changes
- Add response header support to UVerb (#1420).
- Use Capture Description if available (#1423).
Other changes
- Support GHC-9.0.1.
- Bump bytestring,attoparsec,hspecandsingleton-booldependencies.
0.18.2
Significant changes
- Introduce Fragmentcombinator.
- Fix MimeRenderandMimeUnrenderinstances forWithStatus.
0.18.1
Significant changes
- Union verbs
Other changes
- Bump “tested-with” ghc versions
- Allow newer dependencies
0.18
Significant changes
- 
Support for ghc8.8 (#1318, #1326, #1327) 
- 
Configurable error messages for automatic errors thrown by servant, like “no route” or “could not parse json body” (#1312, #1326, #1327) 
Other changes
- 
Witness that a type-level natural number corresponds to a HTTP status code (#1310) 
- 
Improve haddocs (#1279) 
- 
Dependency management (#1269, #1293, #1286, #1287) 
0.17
Significant changes
- 
Add NoContentVerb #1028 #1219 #1228 The NoContentAPI endpoints should now useNoContentVerbcombinator. The API type changes are usually of the kind- :<|> PostNoContent '[JSON] NoContent + :<|> PostNoContenti.e. one doesn’t need to specify the content-type anymore. There is no content. 
- 
Capturecan beLenient#1155 #1156You can specify a lenient capture as :<|> "capture-lenient" :> Capture' '[Lenient] "foo" Int :> GETwhich will make the capture always succeed. Handlers will be of the type Either String CapturedType, whereLeft errrepresents the possible parse failure.
- 
servant-client Added a function to create Client.Request in ClientEnv #1213 #1255 The new member makeClientRequestofClientEnvis used to createhttp-clientRequestfromservant-client-coreRequest. This functionality can be used for example to set dynamic timeouts for each request.
- 
servant-server use queryString to parse QueryParam, QueryParams and QueryFlag #1249 #1262 Some APIs need query parameters rewriting, e.g. in order to support for multiple casing (camel, snake, etc) or something to that effect. This could be easily achieved by using WAI Middleware and modifying request’s Query. But QueryParam, QueryParams and QueryFlag userawQueryString. By usingqueryStringrather thenrawQueryStringwe can enable such rewritings.
- 
servant servant-server Make packages build-type: Simple#1263We used build-type: Custom, but it’s problematic e.g. for cross-compiling. The benefit is small, as the doctests can be run other ways too (though not so conveniently).
- 
servant Remove deprecated modules 1268# - Servant.Utils.Linksis- Servant.Links
- Servant.API.Internal.Test.ComprehensiveAPIis- Servant.Test.ComprehensiveAPI
 
Other changes
- 
servant-client servant-client-core servant-http-streams Fix Verb with headers checking content type differently #1200 #1204 For Verbs with responseHeaders, the implementation didn’t check for the content-type of the response. Now it does.
- 
servant-docs Merge documentation from duplicate routes #1240 #1241 Servant supports defining the same route multiple times with different content-types and result-types, but servant-docs was only documenting the first of copy of such duplicated routes. It now combines the documentation from all the copies. Unfortunately, it is not yet possible for the documentation to specify multiple status codes. 
- 
Add sponsorship button #1190 Well-Typed is a consultancy which could help you with servantissues (See consultancies section on https://www.servant.dev/).
- 
Try changelog-d for changelog management #1230 Check the CONTRIBUTING.md for details 
- 
CI and testing tweaks. #1154 #1157 #1182 #1214 #1229 #1233 #1242 #1247 #1250 #1258 We are experiencing some bitrotting of cookbook recipe dependencies, therefore some of them aren’t build as part of our CI anymore. 
- 
servant-jsaddle Progress on servant-jsaddle #1216 
- 
servant-docs Prevent race-conditions in testing #1194 
- 
servant-client servant-http-streams HasClientinstance forStreamwithHeaders#1170 #1197
- 
servant Remove unused extensions from cabal file #1201 
- 
servant-client Redact the authorization header in Show and exceptions #1238 
- 
Dependency upgrades #1173 #1181 #1183 #1188 #1224 #1245 #1257 
0.16.2
- singleton-bool-0.1.5(- SBoolis re-exported)- Add discreteBool :: Dec (a :~: b)(GHC-7.8+)
- Add Show,Eq,OrdSBool binstances.
 
- Add 
- dependencies update
0.16.1
- Add SemigroupandMonoidSourceTinstances #1158 #1159
- Use http-api-data-0.4.1#1181
- Allow newer dependencies
0.16.0.1
- Make tests work with http-media-0.8
0.16
Significant changes
- 
Rename ServantErrortoClientError,ServantErrtoServerError#1131
- 
servant-client-core Rearrange modules. No more Internalmodules, whole API is versioned. #1130
- 
servant-http-streams New package #1117 
- 
servant-client-core RequestBodyis now= RequestBodyLBS LBS.ByteString | RequestBodyBS BS.ByteString | RequestBodySource (SourceIO LBS.ByteString)i.e. no more replicates http-clients API. #1117
- 
servant-client-core Keep structured exceptions in ConnectionErrorconstructor ofClientError#1115-| ConnectionError Text +| ConnectionError SomeException
- 
servant-client-core Preserve failing request in FailureResponseconstructor ofClientError#1114-FailureResponse Response +-- | The server returned an error response including the +-- failing request. 'requestPath' includes the 'BaseUrl' and the +-- path of the request. +FailureResponse (RequestF () (BaseUrl, BS.ByteString)) Response
- 
servant-client Fix (implement) StreamBodyinstance #1110
Other changes
- 
servant-client Update CookieJar with intermediate request/responses (redirects) #1104 
- 
servant-server Reorder HTTP failure code priorities #1103 
- 
servant-server Re-organise internal modules #1139 
- 
Allow network-3.0#1107
- 
Add NFData NoContentinstance #1090
0.15
Significant changes
- 
Streaming refactoring. #991 #1076 #1077 The streaming functionality ( Servant.API.Stream) is refactored to useservant’s ownSourceIOtype (seeServant.Types.SourceTdocumentation), which replaces bothStreamGeneratorandResultStreamtypes.New conversion type-classes are ToSourceIOandFromSourceIO(replacingToStreamGeneratorandBuildFromStream). There are instances for conduit, pipes and machines in new packages: servant-conduit servant-pipes and servant-machines respectively.Writing new framing strategies is simpler. Check existing strategies for examples. This change shouldn’t affect you, if you don’t use streaming endpoints. 
- 
servant-client Separate streaming client. #1066 We now have two http-clientbased clients, inServant.ClientandServant.Client.Streaming.Their API is the same, except for - Servant.Clientcannot request- Streamendpoints.
- Servant.Clientis run by direct- runClientM :: ClientM a -> ClientEnv -> IO (Either ServantError a)
- Servant.Client.Streamingcan request- Streamendpoints.
- Servant.Client.Streamingis used by CPSised- withClientM :: ClientM a -> ClientEnv -> (Either ServantError a -> IO b) -> IO b
 To access Streamendpoints useServant.Client.StreamingwithwithClientM; otherwise you can continue usingServant.ClientwithrunClientM. You can use both too,ClientEnvandBaseUrltypes are same for both.Note: Servant.Client.Streamingdoesn’t stream non-Streamendpoints. Requesting ordinaryVerbendpoints (e.g.Get) will block until the whole response is received.There is Servant.Client.Streaming.runClientMfunction, but it has restricted type.NFData aconstraint prevents using it withSourceT,Conduitetc. response types.runClientM :: NFData a => ClientM a -> ClientEnv -> IO (Either ServantError a)This change shouldn’t affect you, if you don’t use streaming endpoints. 
- 
servant-client-core Related to the previous: streamingResponseis removed fromRunClient. We have a new type-class:class RunClient m => RunStreamingClient m where withStreamingRequest :: Request -> (StreamingResponse -> IO a) -> m a
- 
servant ComprehensiveAPIis a part of public API inServant.Test.ComprehensiveAPImodule. This API type is used to verify that libraries implement all core combinators. Now we won’t change this type between major versions. (This has been true for some time already). #1070
- 
servant Remove Servant.Utils.Entermodule (deprecated inservant-0.12in favour ofhoistServer) #996
- 
servant-foreign Add support so HasForeigncan be implemented forMultipartFormfromservant-multipart#1035
Other changes
- 
servant-client-core Add NFData (GenResponse a)andNFData ServantErrorinstances. #1076
- 
servant NewlineFraming encodes newline after each element (i.e last) #1079 #1011 
- 
servant Add lookupResponseHeader :: ... => Headers headers r -> ResponseHeader h a#1064
- 
servant-server Add MonadMask Handler#1068
- 
servant-docs Fix markdown indentation #1043 
- 
servant Export GetHeaders'#1052
- 
servant Add Bitraversableand otherBi-instances for:<|>#1032
- 
servant Add PutCreatedmethod type alias #1024
- 
servant-client-core Add aesonandLift BaseUrlinstances #1037
- 
servant Add ToSourceIO (NonEmpty a)instance #988
- 
Development process improvements 
- 
Documentation Tutorial and new recipes - Using free client #1005
- Generating mock curl calls #1033
- Error logging with Sentry #987
- Hoist Server With Context for Custom Monads #1044
- How To Test Servant Applications #1050
- genericServeT: using custom monad with- Servant.API.Genericin Using generics #1058
- Tutorial #974 #1007
- miscellanea: fixed typos etc. #1030 #1020 #1059
 
- 
Documentation README #1010 
- 
servant-client-ghcjs updates. note package is not released on Hackage #938 
0.14.1
- 
Merge in (and slightly refactor) servant-generic(by Patrick Chilton) intoservant(Servant.API.Generic),servant-client-code(Servant.Client.Generic) andservant-server(Servant.Server.Generic).
- 
Deprecate Servant.Utils.Links, useServant.Links. #998
- 
servant-server Deprecate Servant.Utils.StaticUtils, useServant.Server.StaticUtils.
0.14
Significant changes
- 
Streamtakes a status code argument-Stream method framing ctype a +Stream method status framing ctype a
- 
ToStreamGeneratordefinition changed, so it’s possible to write an instance for conduits.-class ToStreamGenerator f a where - toStreamGenerator :: f a -> StreamGenerator a +class ToStreamGenerator a b | a -> b where + toStreamGenerator :: a -> StreamGenerator b(#959) 
- 
Added NoFramingstreaming strategy (#959)
- 
servant-client-core Free Clientimplementation. Useful for testingHasClientinstances. (#920)
- 
servant-client-core Add hoistClienttoHasClient. Just likehoistServerallows us to change the monad in which request handlers of a web application live, we also havehoistClientfor changing the monad in which client functions live. Read tutorial section for more information. (#936)iF you have own combinators, you’ll need to define a new method of HasClientclass, for example:type Client m (MyCombinator :> api) = MyValue :> Client m api hoistClientMonad pm _ nt cl = hoistClientMonad pm (Proxy :: Proxy api) nt . cl
- 
servant Add safeLink' :: (Link -> a) -> ... -> MkLink endpoint a, which allows to create helpers returning something else thanLink. (#968)
- 
servant-server File serving in polymorphic monad. i.e. Generalised types of serveDirectoryFileServeretc functions inServant.Utils.StaticFiles(#953)
- 
servant-server ReqBodycontent type check is recoverable. This allows writing APIs like:ReqBody '[JSON] Int :> Post '[PlainText] Int :<|> ReqBody '[PlainText] Int :> Post '[PlainText] Intwhich is useful when handlers are subtly different, for example may do less work. (#937) 
- 
servant-client Add more constructors to RequestBody, includingRequestBodyStream. Note: we are looking for http-library agnostic API, so the might change again soon. Tell us which constructors are useful for you! (#913)
Other changes
- 
GetHeadersinstances implemented withoutOverlappingInstances(#971)
- 
Added tests or enabled tests (#975) 
- 
Add servant-flatten“spice” to the structuring api recipe (#929)
Note
(VIM) Regular-expression to link PR numbers: s/\v#(\d+)/[#\1](https:\/\/github.com\/haskell-servant\/servant\/pull\/\1)/
0.13.0.1
- Support base-compat-0.10
0.13
Significant changes
- 
Streaming endpoint support. (#836) type StreamApi f = "streamGetNewline" :> StreamGet NewlineFraming JSON (f Person)See tutorial for more details 
- 
servant Add Servant.API.Modifiers(#873 #903)QueryParam,HeaderandReqBodyunderstand modifiers:- Requiredor- Optional(resulting in- aor- Maybe ain handlers)
- Strictor- Lenient(resulting in- aor- Either String ain handlers)
 Also you can use Descriptionas a modifier, but it doesn’t yet work withservant-docs, onlyservant-swagger. There is an issue.
- 
servant-client Support http-client’sCookieJar(#897 #883)ClientMpreserves cookies between requests, if given initialCookieJar. To migrate from older code, changeClientEnvconstructor tomkClientEnvwhich makesClientEnvwithoutCookieJar.
- 
servant Mono-kind-ise modifiers, resulting in better error messages. (#887 #890) 
- 
servant Add TypeError ... => HasServers instances in GHC-8.2 for not saturated modifiers (Capture "foo" :> ...) or->in place of:>. (#893)
- 
Cookbook example projects at http://docs.servant.dev/en/master/cookbook/index.html (#867 #892) 
Other changes
- 
servant Links aren’t double escaped (#878) 
0.12.1
Bug fixes
0.12
Significant changes
- 
servant-client servant-client-core Factored out of servant-clientall the functionality that was independent of thehttp-clientbackend. (#803 #821)If you have own combinators, you’ll need to add an additional margument inHasClient,ClientandclientWithRoute:-class HasClient api - type Client (api :: *) :: * - clientWithRoute :: Proxy api -> Req -> Client api +class HasClient m api + type Client (m :: * -> *) (api :: *) :: * + clientWithRoute :: Proxy m -> Proxy api -> Request -> Client m apiSee https://github.com/haskell-servant/servant-auth/pull/67/commits/f777818e3cc0fa3ed2346baff8328e96d62b1790 for a real world example. 
- 
servant-server Added hoistServermember to theHasServerclass, which isHasServerspecificenter. (#804 #824)enterisn’t exported fromServantmodule anymore. You can changeentertohoistServerin a straight forward way. Unwrap natural transformation and add an api typeProxy:-server = enter (NT nt) impl +server = hoistServer (Proxy :: Proxy MyApi) nt implIf you have own combinators, you’ll need to define a new method of HasServerclass, for example:type ServerT (MyCombinator :> api) m = MyValue -> ServerT api m hoistServerWithContext _ pc nt s = hoistServerWithContext (Proxy :: Proxy api) pc nt . sSee https://github.com/haskell-servant/servant-auth/pull/67/commits/8ee3b6315247ac076516213fd7cfcdbfdb583ac9 for a real world example. 
- 
Add DescriptionandSummarycombinators (#767)It’s possible to annotate endpoints with free form text. This information is used by e.g. by servant-swagger, see screenshot in https://github.com/phadej/servant-swagger-ui
- 
Lower :>and:<|>infix precedence to 4 and 3 respectively (#761)This shouldn’t affect you, except if you define your own infix operators for Servant type-level DSL. 
Other changes
- servant-foreign Derive Datafor all types (#809)
- servant-docs Add authentication lenses (#787)
- servant-docs Generated markdown improvements (#813 #767 #790 #788)
- Add addLinksto generate all links for unnested APIs. (#851)
- Allow newest dependencies (#772 #842)
- Documentation improvements and typo fixes (#757 #771 #775 #790 #791 #806)
- Development process improvements (#764 #839)
0.11
Breaking changes
Other changes
- Add a type representing an empty API (#753)
- Add linkURI'andLinkaccessors (#745 , #717 , #715)
- Prepare for GHC-8.2 (#722)
- Add HasLink AuthProtectinstance (#720)
- AllCTRender [] ()- TypeError(use- NoContent) (#671)
- Documentation improvements and typo fixes (#702 , #709 , #716 , #725 , #727)
0.10
Breaking changes
- 
Use NTfromnatural-transformationforEnter(#616)
- 
Change to MkLink (Verb ...) = Link(previouslyURI). To consumeLinkuse itsToHttpApiDatainstance orlinkURI. (#527)
Other changes
- 
Add Servant.API.TypeLevelmodule with type families to work with API types. (#345 , #305)
- 
Default JSON content type change to application/json;charset=utf-8. (#263) Related browser bugs: Chromium and Firefox
- 
Acceptclass may accept multiple content-types.MimeUnrenderadopted as well. (#613 , #615)
0.9.1
- Added ‘noHeader’ function for not adding response headers.
0.9
- Added Eq, Show, Read, Generic and Ord instances to IsSecure
- BACKWARDS INCOMPATIBLE: replace use of ToFromByteStringwithTo/FromHttpApiDataforGetHeaders/BuildHeadersTo
- BACKWARDS INCOMPATIBLE: Moved From/ToFormUrlEncodedclasses, which were renamed toFrom/ToFormtohttp-api-data
0.8.1
- Add CaptureAllcombinator. Captures all of the remaining segments in a URL.
- Add Servant.API.TypeLevelmodule, with frequently used type-level functionaliy.
0.8
- Minor fixes, documentation changes and cabal tweaks
0.7.1
- Add module Servant.Utils.Enter(https://github.com/haskell-servant/servant/pull/478)
- Allow to set the same header multiple times in responses.
0.5
- Add WithNamedConfigcombinator.
- Add HttpVersion,IsSecure,RemoteHostandVaultcombinators
- Fix safeLink, so Header is not in fact required.
- Add more instances for (:<|>)
- Use http-api-datainstead ofServant.Common.Text
- Remove matrix params.
- Add PlainText String MimeRender and MimeUnrender instances.
- Add new Verbscombinator, and make all existing and new verb combinators type synonyms of it.
- Add BasicAuthcombinator to support Basic authentication
- Add generalized authentication support
0.4.2
- Fix missing cases for PatchinsafeLink
0.4.1
- Allow whitespace after parsing JSON
- Stricter matching for safeLinkforCapture
0.4
- Deletenow is like- Get,- Post,- Put, and- Patchand returns a response body
- Multiple content-type/accept support for all the relevant combinators
- Provide JSON, PlainText, OctetStream and FormUrlEncoded content types out of the box
- Type-safe link generation to API endpoints
- Support for the PATCH HTTP method
- Removed the home-made QuasiQuote for writing API types in a more human-friendly format until we come up with a better design for it
- Make most if not all of the haddock code examples run through doctest
- Some general code cleanup
- Add response headers
