relude
Safe, performant, user-friendly and lightweight Haskell Standard Library
https://github.com/kowainik/relude
| Version on this page: | 0.7.0.0 | 
| LTS Haskell 24.17: | 1.2.2.2@rev:1 | 
| Stackage Nightly 2025-10-31: | 1.2.2.2@rev:1 | 
| Latest on Hackage: | 1.2.2.2@rev:1 | 
relude-0.7.0.0@sha256:09b7eead4ee71a3a411cef392f9b84afbd0fdc100a3efb54a5e854649417e48d,10948Module documentation for 0.7.0.0
- Relude
relude

relude is a safe, performant, user-friendly and lightweight Haskell
standard library.
The default Prelude is not perfect and doesn’t always satisfies one’s needs.
At this stage you may want to try an alternative prelude library. In this README
we are going to give you convincing reasons to consider using relude as such
alternative in your next project.
relude has some strong goals and principles that it sticks to. That principles
defines the library decisions and might tell you more about the priorities of
the library. So below you can find the key design principles behind relude:
- 
Productivity. You can be more productive with a “non-standard” standard library, and reludehelps you with writing safer and more efficient code faster.
- 
Total programming. Usage of partial functions can lead to unexpected bugs and runtime exceptions in pure code. The types of partial functions lie about their behaviour. And even if it is not always possible to rely only on total functions, reludestrives to encourage best-practices and reduce the chances of introducing a bug.
| Partial | Total | 
|---|---|
| head :: [a] -> a | head :: NonEmpty a -> a | 
| tail :: [a] -> [a] | tail :: NonEmpty a -> [a] | 
| read :: Read a => String -> a | readMaybe :: Read a => String -> Maybe a | 
| fromJust :: Maybe a -> a | fromMaybe :: a -> Maybe a -> a | 
- 
Type-safety. We use the “make invalid states unrepresentable” motto as one of our guiding principles. If it is possible, we express this concept through the types. Example: Here the function’s name type and actions are aligned with each other whenNotNull :: Applicative f => [a] -> (NonEmpty a -> f ()) -> f ()While in here, the type could represent an unreachable state: whenNotNull :: Applicative f => [a] -> ([a] -> f ()) -> f ()
- 
Performance. We prefer TextoverString, use space-leaks-free functions (e.g. our custom performantsumandproduct), introduce{-# INLINE #-}and{-# SPECIALIZE #-}pragmas where appropriate, and make efficient container types (e.g.Map,HashMap,Set) more accesible.
- 
Minimalism (low number of dependencies). We don not force users of reludeto stick to any specific lens or text formatting or logging library. Where possible,reludedepends only on boot libraries. The Dependency graph ofreludecan give you a clearer picture.
- 
Convenience. Despite minimalism, we want to bring commonly used types and functions into scope, and make available functions easier to use. Some examples of conveniences: - No need to import types like NonEmpty,Text,Set,Reader[T],MVar,STM
- Functions like liftIO,fromMaybe,sortWithare avaiable by default as well
- IOactions are lifted to- MonadIO
 
- No need to import types like 
- 
Excellent documentation. - Tutorial
- Migration guide from Prelude
- Haddock for every function with examples tested by
doctest
- Documentation on internal module structure
- relude-specific HLint rules:- .hlint.yaml
 
- 
User-friendliness. Anyone should be able to quickly migrate to relude. Only some basic familiarity with the common libraries liketextandcontainersshould be enough (but not necessary).
- 
Exploration. We have space to experiment with new ideas and proposals without introducing breaking changes. reludeuses the approach withExtra.*modules which are not exported by default. The chosen approach makes it quite easy for us to provide new functionality without breaking anything and let the users decide to use it or not.
In addition to our key design principles, the following list of
anti-goals describes what relude is trying to avoid:
- Rewrite basefrom the ground up. Withreludeyou don’t need to unlearn what you already knew, you can leverage existing knowledge to achieve higher productivity.
- Invent custom abstractions. Learning abstractions is hard, so we do our best not to introduce new overwhelming concepts.
- Rename common definitions. If something is called fooinbase, it’s also calledfooinrelude. So,reludedoesn’t rename any existing abstractions, but it may introduce a few new ones, if their benefits outweigh learning curve.
This README contains an introduction to relude and a tutorial on how to use it.
For a general introduction to alternative preludes, check the excellent
blog post by Type Classes that highlights
relude.
Structure of this tutorial
This tutorial has several parts:
- When to use an alternative prelude?
- Get started
- Difference from Prelude
- Reexports
- What’s new?
- Migration guide
- Comparison with other alternative preludes
- For developers
This is neither a tutorial on Haskell Standard Library nor a tutorial on each
function contained in relude. For latter see the detailed documentation of
every data type, type class and function together with examples and usages in
the Haddock documentation for relude.
When to use an alternative prelude?
[Back to the Table of Contents] ↑
The module with the name Prelude is a module imported by default in every Haskell
source file of your project. If you want to use some data types or functions
which are not exposed by Prelude, you need to import them, adding necessary
libraries to your project dependencies. Unlike ordinary libraries, alternative
preludes provide a different set of available by default functions and data
types by replacing the Prelude module.
Replacing default Prelude from base has the following disadvantages:
- Increased entry threshold: you need to learn a different standard library.
- reludetries to lower this threshold as much as possible: it comes with the excellent documentation, no custom abstractions, and behavior is changed only for a small subset of functions.
 
- Extra dependencies: adding more libraries to dependencies increases build
times and maintenance burden.
- reludedepends only on the boot libraries (almost) which results in small build time, follows PVP and cares about backwards compatibility.
 
However, using an alternative prelude, specifically relude, has the following
advantages:
- Increased code safety: no partial functions, no space-leak functions.
- Increased productivity: no need to import common functions and data types, more common idioms are provided.
- Increased performance: some functions in reludeare faster than in the defaultPrelude.
Taking into consideration all the above points, we put together our
recommendations when to use relude:
- When you develop an application (e.g. CLI tool, web-app). In that case, greater productivity is more important than a low number of dependencies.
- When writing a big framework. Some of them can be bigger than applications.
And when you may want to stay with the default standard:
- When you write a small library that is supposed to be used by other people in their projects.
Get started
[Back to the Table of Contents] ↑
If you want to start using relude in your project, you can set the library up
for you by one of the following ways.
Mixins
[Back to the Table of Contents] ↑
This is the recommended way to use a custom prelude.
You can use the Cabal feature mixins to replace the default Prelude with
Relude without the need to add extra dependencies or to import Relude
manually in each module.
For this you need to add the following lines into your .cabal file:
  mixins:   base hiding (Prelude)
          , relude (Relude as Prelude)
NOTE: this requires Cabal version to be at least
2.2
See the following complete example of how your .cabal file may look
like after the set up:
cabal-version:       2.2
name:                prelude-example
version:             0.0.0.0
library
  exposed-modules:     Example
  build-depends:       base >= 4.10 && < 4.13
                     , relude ^>= 0.6.0.0
  mixins:              base hiding (Prelude)
                     , relude (Relude as Prelude)
  default-language:    Haskell2010
NOTE: if you use
summonerto generate a Haskell project, the tool automatically creates themixinsfield when you specify a custom prelude.
If you want to bring a non-default module of relude, e.g. Relude.Extra.Enum
or Relude.Unsafe, you need to list it under the mixins field as well,
like this:
  mixins: base hiding (Prelude)
        , relude (Relude as Prelude
                 , Relude.Extra.Enum
                 , ...
                 )
If you want to bring all Extra.* modules into scope, you can add
a single Relude.Extra module to mixins, and after that you can import all
extra functions and data types from Relude.Extra. This is the
easiest way to bring all functions and types from relude to your project
(excluding Relude.Unsafe).
  mixins: base hiding (Prelude)
        , relude (Relude as Prelude
                 , Relude.Extra
                 )
base-noprelude
[Back to the Table of Contents] ↑
Alternatively, you can use the base-noprelude trick to enable
alternative preludes. This approach can be helpful if you want to have
your own Prelude module with some custom functions, not provided by
relude. To use the trick, perform the following steps:
- Replace the basedependency with the corresponding version ofbase-nopreludein your.cabalfile.
- Add the reludedependency to your.cabalfile.
- Create the file called Prelude.hsin your source directory with the following content:module Prelude ( module Relude ) where import Relude
- Add this module to exposed-modulesin your.cabalfile:exposed-modules: Prelude
- Optionally modify your Preludemodule to include more or fewer functions. Potentially, you can hide something from theReludemodule. Or maybe you want to add something fromRelude.Extra.*modules! Customize the module for your needs.
This is a very convenient way to add a custom prelude to your project because
you don’t need to import module manually inside each file and enable the
NoImplicitPrelude extension.
NoImplicitPrelude
[Back to the Table of Contents] ↑
For this option, you need to disable the default Prelude module first.
To disable the built-in prelude on module basis, you can add the following
pragma at the top of your file:
{-# LANGUAGE NoImplicitPrelude #-}
if you want to disable the default Prelude for every module by default, you
can specify this directly in your project .cabal file:
default-extensions: NoImplicitPrelude
Then you need to add relude as a dependency of your project.
After doing all above, you can now use Relude in any module of your project by
adding a single import:
import Relude
Difference from Prelude
[Back to the Table of Contents] ↑
Main differences from Prelude can be grouped into the following categories:
- Changed behavior of common functions
- head,- tail,- last,- initwork with- NonEmpty ainstead of- [a].
 - lines,- unlines,- words,- unwordswork with- Textinstead of- String.
 - showis polymorphic over the return type.
- Functions sumandproductare strict now, which makes them more efficient.
- You can’t call elemandnotElemfunctions overSetandHashSet. These functions are forbidden for these two types due to performance reasons.
- errortakes- Text.
- undefinedtriggers a compiler warning, because you probably don’t want to leave- undefinedin your code. Either use- throwIO,- Except,- erroror- bug.
 
- Not reexported
- read
- lookupfor lists
- log
 
- Completely new functions are brought into scope
- See the What’s new? section for a detailed overview.
 
- New reexports
- See the Reexports section for a detailed overview.
 
Reexports
[Back to the Table of Contents] ↑
relude reexports some parts of the following libraries:
If you want to clean up your imports after switching to relude, you can use
the relude-specific
.hlint.yaml
configuration for this task. With this config, HLint will produce
warnings and hints on how to have more benefits from relude.
base
Multiple sorting functions are available for different use-cases:
- sortBy :: (a -> a -> Ordering) -> [a] -> [a]: sorts a list using given custom comparator.
- sortWith :: Ord b => (a -> b) -> [a] -> [a]: sorts a list based on some property of its elements.
- sortOn :: Ord b => (a -> b) -> [a] -> [a]: similar to- sortWith, but more time-efficient if function is calculated slowly (though less space-efficient). So you should write- sortOn length(would sort elements by length) but- sortWith fst(would sort list of pairs by first element).
readMaybe and readEither are similar to read but unlike it, they are total
and return either Maybe or Either with a parse error.
(&) is the reverse application. The following three expressions are
semantically equivalent:
- g (f x)
- g $ f $ x
- x & f & g
Some generally useful modules from base package are exported, e.g.
Control.Applicative, Data.Traversable, Data.Monoid, Data.List,
and many more.
liftIO and MonadIO are exported by default. A lot of IO functions are
generalized to MonadIO.
Bifunctor
type class with useful instances is exported.
- firstand- secondfunctions apply a function to the first and second part of a- Bifunctor(- fstand- sndfor tuples,- Leftand- Rightfor- Either).
- bimaptakes two functions and applies them to the first and second parts respectively.
trace, traceM, traceShow, etc. are available by default. However, GHC will
warn you if you accidentally leave them in code. Same goes for the undefined
function.
We also have data Undefined = Undefined (which also comes with the warning).
relude reexports Exception type from the base package and introduces the
bug function as an alternative to error. There is also a very convenient
Exc pattern-synonym to handle exceptions of different types.
See
Relude.Exception
module for details on exceptions.
containers & unordered-containers
The following types from these two packages are exported:
- Maps: strict versions of Map,HashMap,IntMap.
- Sets: Set,HashSet,IntSet.
- Sequences: Seq.
text & bytestring
relude exports Text and ByteString (as well as their lazy versions —
LText and LByteString).
Also, some functions now work
with Text instead of String – words, lines, etc.
In addition, relude provides specialised versions of the IO functions to
work with Text and ByteString — readFileText, writeFileBS, etc.
show is polymorphic and can produce strict or lazy Text or
ByteString as well as String.
Also, toText|toLText|toString can convert Text|LText|String types to
Text|LText|String. If you want to convert to and from ByteString use
encodeUtf8|decodeUtf8 functions.
transformers & mtl
The following parts of these two libraries are exported:
- Transformers: State[T],Reader[T],ExceptT,MaybeT.
- Classes: MonadReader,MonadState.
Deepseq
All the main parts of the deepseq library are exported.
For instance, if you want to force the deep evaluation of
some value (in IO), you can write evaluateNF a.
Additionally, the WHNF evaluation is possible
with provided evaluateWHNF.
What’s new?
[Back to the Table of Contents] ↑
Finally, let’s move to part describing the new cool features we bring with
relude.
Available by default
- 
Safe analogue for the list functions: head :: NonEmpty a -> a -- the first element of the list tail :: NonEmpty a -> [a] -- the list without the first element last :: NonEmpty a -> a -- the last element of the list init :: NonEmpty a -> [a] -- the list without the last elementYou can also still work with lists for these functions. Using viaNonEmptyfunction you will getMaybe afrom the list:-- viaNonEmpty head :: [a] -> Maybe a ghci> viaNonEmpty head [1,2,3] Just 1 ghci> viaNonEmpty head [] Nothing
- 
unconssplits a list at the first element.
- 
ordNubandsortNubare O(n log n) versions ofnub(which is quadratic), also,hashNubandunstableNubare almost O(n) versions ofnub.
- 
whenM,unlessM,ifM,guardM— monadic guard combinators, that work with anyMonad, e.g.whenM (doesFileExist "foo").
- 
General fold functions: foldMapA :: (Monoid b, Applicative m, Foldable f) => (a -> m b) -> f a -> m b foldMapM :: (Monoid b, Monad m, Foldable f) => (a -> m b) -> f a -> m b
- 
when(Just|Nothing|Left|Right|NotEmpty)[M][_]functions that let you conditionally execute something.Before: case mbX of Nothing -> return () Just x -> f xAfter: whenJust mbX $ \x -> f x
- 
for_andforM_for loops.for_ files $ \file -> do ...
- 
andM,allM,anyM,orMare monadic versions of the corresponding functions frombase.
- 
Conversions between EitherandMaybe, e.g.rightToMaybeandmaybeToLeftwith clear semantics.
- 
using(Reader|State)[T]functions as aliases forflip run(Reader|State)[T].
- 
Onetype class for creating singleton containers (even monomorphic ones likeText).
- 
evaluateWHNFandevaluateNFfunctions as clearer and lifted aliases forevaluateandevaluate . force.
- 
MonadFailinstance forEither.
Extra bonuses
relude has a number of Extra modules that are not exposed by default (they
are not a part of the Relude module). You need to import such modules
separately.
These extra modules include the following functionality:
- 
Convenient functions to work with (Bounded a, Enum a)types:- 
universe :: (Bounded a, Enum a) => [a]: get all values of the type.ghci> universe @Bool [True,False]
- 
inverseMap :: (Bounded a, Enum a, Ord k) => (a -> k) -> k -> Maybe a: convert functions likeshowto parsers:readMyEnums :: Text -> Maybe MyEnum readMyEnums = inverseMap myShow
 
- 
- 
Nice helpers to deal with newtypes in a more pleasant way:ghci> newtype Foo = Foo Bool deriving Show ghci> under not (Foo True) Foo False
- 
Functions to operate with CallStack:ghci> foo :: HasCallStack => String; foo = ownName ghci> foo "foo"
- 
Foldable1typeclass that contains generalized interface for folding non-empty structures likeNonEmpty.
- 
StaticMapandDynamicMaptype classes as a general interface forMap-like data structures.
- 
And much more! 
Explore Extra modules: Relude.Extra
Migration guide
[Back to the Table of Contents] ↑
This section of the guide helps to migrate your project from base
to the relude library.
In order to replace the default Prelude with relude you should start with
instructions provided in the  Get Started section.
Code changes
This section describes what you need to change to make your code compile with relude.
- 
Enable -XOverloadedStringsextension by default for your project.
- 
Since head,tail,lastandinitwork forNonEmptyyou should refactor your code in one of the described below ways:- Change [a]toNonEmpty awhere it makes sense.
- Use functions which return Maybe. There is theviaNonEmptyfunction for this. And you can use it likeviaNonEmpty last l.- tailis- drop 1. It’s almost never a good idea to use- tailfrom- Prelude.
 
- Add import qualified Relude.Unsafe as Unsafeand replace the function with its qualified usage:Unsafe.head.
 
- Change 
- 
If you use fromJustor!!you should import them fromimport qualified Relude.Unsafe as Unsafe.
- 
If you use foldrorforM_or similar for something likeMaybe aorEither a bit is recommended to replace usages of such functions with the monomorhpic alternatives:- 
Maybe- (?:) :: Maybe a -> a -> a
- fromMaybe :: a -> Maybe a -> a
- maybeToList :: Maybe a -> [a]
- maybeToMonoid :: Monoid m => Maybe m -> m
- maybe :: b -> (a -> b) -> Maybe a -> b
- whenJust :: Applicative f => Maybe a -> (a -> f ()) -> f ()
- whenJustM :: Monad m => m (Maybe a) -> (a -> m ()) -> m ()
 
- 
Either- fromLeft :: a -> Either a b -> a
- fromRight :: b -> Either a b -> b
- either :: (a -> c) -> (b -> c) -> Either a b -> c
- whenRight_ :: Applicative f => Either l r -> (r -> f ()) -> f ()
- whenRightM_ :: Monad m => m (Either l r) -> (r -> m ()) -> m ()
 
 
- 
- 
Replace the Stringtype with more efficient and suitable ones (e.g.Text):- Replace (++)with(<>)forString-like types.
- Use toText/toLText/toStringfunctions to convert toText/LazyText/Stringtypes.
- Use encodeUtf8/decodeUtf8to convert to/fromByteString.
- Use (putStr[Ln]|readFile|writeFile|appendFile)[Text|LText|BS|LBS]functions.
 
- Replace 
- 
Since showdoesn’t come fromShowanymore, you need to exportText.Showmodule if you want to implementShowinstance manually. This can be done in the following way:
import qualified Text.Show
data MyType = ...
instance Show MyType where
    show :: MyType -> String
    show = ...
- Run hlintusing.hlint.yamlfile fromreludepackage to cleanup code and imports.
Running HLint on CI
Instead of storing a relude-specific .hlint.yaml file inside your repository,
you can run HLint with this file automatically on any CI service such as
Travis CI or Circle CI.
For this you need to:
- Find the commit hash of the reludeversion you are using (can be found in releases).
- Run the command that downloads .hlint.yamlfor that version.
- Run hlintusing this file.
For the latest relude version, this can be achieved by executing the following
two commands on your CI:
curl https://raw.githubusercontent.com/kowainik/relude/v0.6.0.0/.hlint.yaml -o .hlint-relude.yaml
curl -sSL https://raw.github.com/ndmitchell/neil/master/misc/travis.sh | sh -s -- hlint -h .hlint-relude.yaml .
See an example of this feature described in the following blog post about Travis CI settings:
Comparison with other alternative preludes
[Back to the Table of Contents] ↑
There are quite a few libraries that can be used as alternative preludes in Haskell, let’s compare Relude with some of them.
Relude vs Protolude
[Back to the Table of Contents] ↑
Protolude is one of the most popular alternative preludes. It’s also relatively small, but:
- reludehas custom HLint rules specific to it: you can use them to remove redundant imports or find hints on how to use functions from- relude. Moreover, the HLint rules are generated using Dhall and there is a blog post about this technique. This allows to maintain HLint rules with less effort, even though it is already not an easy task.
- One significant difference: headinprotoludereturnsMaybe awhile inreludeit works withNonEmpty.
- reludeuses type-level features to provide better error messages on the difference from- Prelude, and also to forbid- elemand- notElemfunctions for- Setand- HashSet(because- elemfrom- Foldableruns in O(n) time and you can accidentally use- elemfrom- Foldablebut with- reludeyou can’t).
- Protolude supports older GHC versions (from GHC 7.6.1) while reludeonly supports from GHC 8.0.2. So if you aim ancient GHC versions,protoludemight be a better choice. But because of that it contains a lot of CPP, code is scary in some places as a consequence and it is more difficult to add, remove or change things there.
- reludehas much better documentation:- High-level overview of internal module structure
- 100% Haddock coverage
- Every function has usage examples and all examples are tested with
doctest(which also sometimes hard to do due to the multiple GHC versions support, but we try really hard)
- Tutorial + migration guide from
Preludeand just general description of the whole package and libraries it depends on.
 
- reludehas less dependencies and is slightly lighter because of that but still is very powerful and useful.
- reludeis opt-in oriented and has a notion of- Extra.*modules that are not exported by default from the- Reludemodule. That means that we do not spoil the global namespace but still have a lot of useful features, like polymorphic functions to work with every- newtype,- Enum/Bounded-related useful utilities, functions to take a name of any type as- Textand much more. It is a straightforward process to make them accessible package-wide with the- base-nopreludetrick!
For Developers
[Back to the Table of Contents] ↑
Generating .hlint.yaml
Note, that we are using custom hlint setting which are Relude specific. To
keep it up to date don’t forget to reflect your changes in this file. We are
using Dhall to maintain the configurations. To use it follow the steps below.
First time:
$ cabal v2-install dhall-json
Dhall 16.0.0 is required, so make sure that the previous command installed
dhall-json >= 1.6.4.
To generate hlint file:
$ dhall-to-yaml --omitNull <<< './hlint/hlint.dhall' > .hlint.yaml
Check that you have generated valid .hlint.yaml file without parse errors:
$ hlint test/Spec.hs
See our blog post where we describe the details of the implementation for this solution:
Changes
Changelog
relude uses PVP Versioning.
The changelog is available on GitHub.
0.7.0.0 — May 14, 2020
- 
#253: Support GHC-8.10. Upgrade GHC-8.8 to 8.8.3. 
- 
Significant documentation improvements: - Add high-level description to each reexported module.
- Add String Conversion Table.
- Add NonEmptylists functions tables.
- Add @sinceannotations.
- Improve README.
- Inline some external reexports into explicit lists of exports.
- Rewrite top-level cabaldescription.
 
- 
#234: Reexport scanl1,scanr1,scanl'fromData.List.
- 
#256: Make cycletotal function.
- 
#233: Add etaReaderTtoRelude.Monad.Transto help with performance.
- 
#294: Add atomicModifyIORef_andatomicModifyIORef'_.
- 
#293: Add memptyIfFalseandmemptyIfTruefunctions.
- 
Reexport NonEmptyfunctions fromRelude.List.NonEmptyinstead ofRelude.List.Reexport.
- 
#239: Reexport more STM functions that work with TMVarfromRelude.Lifted.Concurrent.
- 
#227: Create Relude.Extramodule
- 
#228: Add universeNonEmptyfunction.
- 
#249: Breaking change: Fix infix of the Relude.Extra.Lens(^.)operator. Change it toinfixl 8.
- 
Reexport partial readfromRelude.Unsafefor consistency.
- 
#244: Remove deprecated functions: prec,dupeandmapBoth.Migration rules: - prec: use- previnstead
- dupe: use- dupinstead
- mapBoth: use- bimapBothinstead
 
- 
#246: Deprecate Relude.Extra.Validationin favour ofvalidation-selectiveMigration rules: If you use Relude.Extra.Validationin you project you need to:- 
Add validation-selectiveinto thebuild-dependssection of your.cabalfile.
- 
Change imports of Relude.Extra.ValidationtoValidation:-- Was: import Relude.Extra.Validation (Validation (..), ..) -- Became: import Validation (Validation (..), ..)
 
- 
- 
#196: Deprecate mapToFstandmapToSnd. IntroducetoFstandtoSndinRelude.Extra.Tupleas shorter aliases formapToFst. ImplementfmapToFstandfmapToSnd. Add more HLint rules forRelude.Extra.Tuplefunctions.Migration rules: - Replace mapToFstwithtoFst
- Replace mapToSndwithtoSnd
- You can now use fmapToFstandfmapToSndinstead of[f]map (mapToFst f)and[f]map (mapToSnd f)
 
- Replace 
- 
#286: Breaking change: readEitheris not polymorphic over the first argument anymore. Now it takesString.Migration rules: Use one of the conversion function from the Relude.String.Conversionmodule to covert your old input value intoString.For example, if you had readEither @Text @Int myTextNow it should become: readEither @Int (toString myText)
- 
#281: Move Oneproperty tests fromdoctesttohedgehog. Significant test time boost.
- 
#264: Support Dhall-16.0.0 in HLint rules. 
0.6.0.0 — Oct 30, 2019
- 
#171: Add custom type errors to various functions and instances. - head,- tail,- last,- init
- words,- unwords,- lines,- unlines
- error
- ToText,- ToLText,- ToStringinstances for bytestrings
- Foldable1instance for ordinary lists
- Monadinstance for- Validation
 
- 
#164: Reexport ShortByteString,toShort/fromShortfunctions. (by @vrom911)
- 
#168, #197: Improve documentation significantly (more and better examples, better wording). (by @chshersh, @vrom911, @Cmdv) 
- 
#167: Rename functions (and deprecate old versions): - precto- prev
- dupeto- dup
 
- 
#201: Implement !!?as a safe equivalent of!!that returns aMaybe. (by @kutyel)
- 
#203: Implement the guardedcombinator. (by @JonathanLorimer)
- 
#174: Implement bimapBothinRelude.Extra.Tuplemodule, markmapBothas DEPRECATED. (by @astynax)
- 
#221: Improve documentation for the Validationmodule significantly. (by @chshersh)
- 
#176: Implement property-based tests for Validationlaws. (by @astynax)
- 
#172: Add MonoidandSemigroupinstances for theValidationtype. (by @mauriciofierrom)
- 
#156: Implement helper type-level functions in Relude.Extra.Type. (by @TheMatten)
- 
#165: Re-export GHC.Float.atan2. (by @ethercrow)
- 
#155: Implement foldlSC— short-circuting list fold — inRelude.Extra.Foldable. (by @josephcsible)
- 
#148: Migrate HLint rules to the latest Dhall spec. (by @vrom911) 
- 
#178: Made diebe polymorphic in its return type. (by @ilyakooo0)
- 
#162, #189, #190, #191, #193, #194, #195: Various refactorings and code improvements: - Breaking change: Reorder type parameters to asumMap
- Implement andM,orM,allM, andanyMin terms of&&^and||^
- Use foldrinstead of explicit recursion andtoList
- Use mapToFstinstead ofzipto improve list fusion ininverseMap
- Implement foldMap1forNonEmptyin terms offoldr
- Use $>instead of*>andpurewhere possible
- Implement asumMapandfoldMapAby coercingfoldMap
- Return Failure early in <*and*>too
 (by @josephcsible) 
- Breaking change: Reorder type parameters to 
- 
#187: Remove tastyandtasty-hedgehogdependencies and their redundant imports. (by @dalpd)
0.5.0 — Mar 18, 2019
- #127:
Implement Relude.Extra.Lensmodule.
- #125:
Moved many numerical functions and types in Relude.Numeric. ReexporttoIntegralSizedfromData.Bits. AddintegerToBoundedandintegerToNaturalinRelude.Numeric.
- #121:
Reexport ApfromData.Monoid. Change definition offoldMapAto useAp.
- #129:
Add appliedToandchainedToas named versions of operators=<<and<**>.
- #138:
Add RealFloattoRelude.Numeric.
- #144:
Add traverseToSndand friends toRelude.Extra.Tuple.
- #140:
Improve text of custom compile-time error messages for elemfunctions.
- #136:
Cover Relude.Extra.*modules with custom HLint rules.
- #146:
Improve documentation for Relude.Filefile: be more explicit about system locale issues.
- Improve documentation for Onetypeclass and add tests.
- Support ghc-8.6.4 and ghc-8.4.4. Drop support for ghc-8.6.1 and ghc-8.4.3.
0.4.0 — Nov 6, 2018
- #70:
Reexport Contravariantfor GHC >= 8.6.1.
- #103:
Drop utf8-stringdependency and improve performance of conversion functions.
- #98:
Reexport Bifoldablerelated stuff frombase.
- #99:
Reexport Bitraversablerelated stuff frombase.
- #100:
Add Relude.Extra.ValidationwithValidationdata type.
- #89:
Add Relude.Extra.Typemodule containing atypeNamefunction.
- #92
Add Relude.Extra.Tuplemodule, containingdupe,mapToFst,mapToSnd, andmapBothfunctions.
- #97:
Add (&&^)and(||^)operators.
- #81:
Add asumMaptoFoldablefunctions.
- #80:
Add hlint rules for whenLeft,whenLeftM,whenRightandwhenRightM.
- #79:
Add HLint rules for Onetypeclass.
- Remove openFileandhClose.
- #83:
Make documentation for nubfunctions prettier.
- #109: Use Dhall v3.0.0 for hlint file generation.
0.3.0
- 
#41: Add Foldable1.
- 
#63: Remove Printtypeclass. Addput[L]BS[Ln]functions.tracefunctions now takeStringas argument instead ofText.Important: this is a breaking change. If you used polymorphic putStrLnyou need to remove type application or switch to one of the monomorphic functions. Also, you can’t abstract overPrinttypeclass anymore.
- 
#66: Export (>>>)and(<<<)fromControl.Category.
- 
#59: Introduce flapfunction and its operator version??.
- 
#64: Improve performance of functions from Foldable1. Addfoldl1'function.
- 
Reexport unconsfrombase.
- 
Rewrite dieimplementation to usediefrombase.
- 
#19: Rewrite .hlint.yamlto Dhall.
- 
Move stdin- andstdout-related functions to new moduleRelude.Lifted.Terminal.
- 
#67: Add HLint rules for put*functions.
- 
#22: readFile,writeFileandappendFilenow work withString. Add lifted version ofhClose. AddreadFile,writeFileandappendFilealternatives forTextandByteString.
- 
#61: Add under2andunderF2functions toRelude.Extra.Newtype.
- 
#60: Add hoistMaybeandhoistEitherfunctions.
0.2.0
- #43:
Implement Relude.Extra.Newtypemodule.
- #46: Add a function that returns its own name.
- #48:
Export <&>frombase. Also reexportfromLeftandfromRightfrombasewhere possible.
- #49: Speed up and refactor property tests.
- #54:
Improve documentation.
Add more examples to documentation and more tests.
Reexport withReaderandwithReaderT. RemovesafeHead. RenameRelude.List.SafetoRelude.List.NonEmpty.
0.1.1
- #44: Implement parser deriviation from pretty-printers.
0.1.0
- #7:
Remove Container.Class.Container. ExportFoldable.
- #2:
Remove microlensfrom dependencies.
- #10:
Remove VarArgmodule.
- #9:
Remove safe-exceptionsfrom dependencies. ReexportExceptionandSomeExceptionfromControl.Exceptioninstead.
- #11:
Remove TypeOpsmodule andtype-operatorsdependency.
- #13:
Remove list,getContents,interact,getArgs,notefunctions. RemoveLifted.STmodule. RenameLifted.EnvtoLifted.Exit.
- #16:
Rename whenLeft,whenRight,whenLeftM,whenRightMtowhenLeft_andwhenRight_,whenLeftM_andwhenRightM_. AddwhenLeft,whenRight,whenLeftM,whenRightMwhich return the value.
- #18:
Add LazyStricttype class for conversions.
- mapis not- fmapanymore. Reexport- mapfrom- Data.List
- #12:
Remove liquid-haskellsupport.
- #20:
Add viaNonEmptyfunction.
- #21:
Add MonadFailinstance forEither.
- #17:
Add foldMapAandfoldMapMfunctions.
- #4:
Rename package to Relude.
- #14:
Add Relude.Extra.*modules which are not exported by default but have useful functions.
- #8:
Introduce StaticMapandDynamicMaptype classes as universal interface for Map-like structures.
