Recent from talks
Contribute something
Nothing was collected or created yet.
Haskell
View on Wikipedia
Haskell (/ˈhæskəl/[25]) is a general-purpose, statically typed, purely functional programming language with type inference and lazy evaluation.[26][27] Haskell pioneered several programming language features including type classes for type-safe operator overloading and monadic input/output (IO). It is named after logician Haskell Curry.[1] Haskell's main implementation is the Glasgow Haskell Compiler (GHC).
Haskell's semantics are historically based on those of the Miranda programming language, which served to focus the efforts of the initial Haskell working group.[28] The last formal specification of the language was made in July 2010, while the development of GHC continues to expand Haskell via language extensions.
Haskell is used in academia and industry.[29][30][31] As of May 2021[update], Haskell was the 28th most popular programming language by Google searches for tutorials,[32] and made up less than 1% of active users on the GitHub source code repository.[33]
History
[edit]After the release of Miranda by Research Software Ltd. in 1985, interest in lazy functional languages grew. By 1987, more than a dozen non-strict, purely functional programming languages existed. Miranda was the most widely used, but it was proprietary software. At the conference on Functional Programming Languages and Computer Architecture (FPCA '87) in Portland, Oregon, there was a strong consensus that a committee be formed to define an open standard for such languages. The committee's purpose was to consolidate existing functional languages into a common one to serve as a basis for future research in functional-language design.[34]
Haskell 1.0 to 1.4
[edit]Haskell was developed by a committee, attempting to bring together off-the-shelf solutions where possible.
Type classes were first proposed by Philip Wadler and Stephen Blott to address the ad hoc handling of equality types and arithmetic overloading in languages at the time.[35]
In early versions of Haskell up until and including version 1.2, user interaction and input/output (IO) were handled by both streams-based and continuation-based mechanisms, which were widely considered unsatisfactory.[36] In version 1.3, monadic IO was introduced, along with the generalisation of type classes to higher kinds (type constructors). Along with "do notation", which provides syntactic sugar for the Monad type class, this gave Haskell an effect system that maintained referential transparency and was convenient.
Another notable change in early versions was the moving of the "sequential evaluation" operation seq (which creates a data dependency between values, and is used in lazy languages to avoid excessive memory consumption) from a type class to a standard function to make refactoring more practical.
The first version of Haskell ("Haskell 1.0") was defined in 1990.[1] The committee's efforts resulted in a series of language definitions (1.0, 1.1, 1.2, 1.3, and 1.4).

Foldable and Traversable (with corresponding changes to the type signatures of some functions), and of Applicative as intermediate between Functor and Monad, are deviations from the Haskell 2010 standard.Haskell 98
[edit]In late 1997, the series culminated in Haskell 98, intended to specify a stable, minimal, portable version of the language and an accompanying standard library for teaching, and as a base for future extensions. The committee expressly welcomed creating extensions and variants of Haskell 98 via adding and incorporating experimental features.[34]
In February 1999, the Haskell 98 language standard was originally published as The Haskell 98 Report.[34] In January 2003, a revised version was published as Haskell 98 Language and Libraries: The Revised Report.[27] The language continues to evolve rapidly, with the Glasgow Haskell Compiler (GHC) implementation representing the current de facto standard.[37]
Haskell 2010
[edit]In early 2006, the process of defining a successor to the Haskell 98 standard, informally named Haskell Prime, began.[38] This was intended to be an ongoing incremental process to revise the language definition, producing a new revision up to once per year. The first revision, named Haskell 2010, was announced in November 2009[2] and published in July 2010.
Haskell 2010 added several well-used and uncontroversial features previously enabled via compiler-specific flags.[citation needed]
- Hierarchical module names. Module names are allowed to consist of dot-separated sequences of capitalized identifiers, rather than only one such identifier. This lets modules be named in a hierarchical manner (e.g.,
Data.Listinstead ofList), although technically modules are still in a single monolithic namespace. This extension was specified in an addendum to Haskell 98 and was in practice universally used. - The foreign function interface (FFI) allows bindings to other programming languages. Only bindings to C are specified in the Report, but the design allows for other language bindings. To support this, data type declarations were permitted to contain no constructors, enabling robust nonce types for foreign data that could not be constructed in Haskell. This extension was also previously specified in an Addendum to the Haskell 98 Report and widely used.
- So-called n+k patterns (definitions of the form
fact (n+1) = (n+1) * fact n) were no longer allowed. This syntactic sugar had misleading semantics, in which the code looked like it used the(+)operator, but in fact desugared to code using(-)and(>=). - The rules of type inference were relaxed to allow more programs to type check.
- Some syntax issues (changes in the formal grammar) were fixed: pattern guards were added, allowing pattern matching within guards; resolution of operator fixity was specified in a simpler way that reflected actual practice; an edge case in the interaction of the language's lexical syntax of operators and comments was addressed, and the interaction of do-notation and if-then-else was tweaked to eliminate unexpected syntax errors.
- The
LANGUAGEpragma was specified. By 2010, dozens of extensions to the language were in wide use, and GHC (among other compilers) provided theLANGUAGEpragma to specify individual extensions with a list of identifiers. Haskell 2010 compilers are required to support theHaskell2010extension and are encouraged to support several others, which correspond to extensions added in Haskell 2010.[citation needed]
Future standards
[edit]The next formal specification had been planned for 2020.[3] On 29 October 2021, with GHC version 9.2.1, the GHC2021 extension was released. While this is not a formal language spec, it combines several stable, widely used GHC extensions to Haskell 2010.[39][40]
Features
[edit]Haskell features lazy evaluation, lambda expressions, pattern matching, list comprehension, type classes and type polymorphism. It is a purely functional programming language, which means that functions generally have no side effects. A distinct construct exists to represent side effects, orthogonal to the type of functions. A pure function can return a side effect that is subsequently executed, modeling the impure functions of other languages.
Haskell has a strong, static type system based on Hindley–Milner type inference. Its principal innovation in this area is type classes, originally conceived as a principled way to add overloading to the language,[41] but since finding many more uses.[42]
The construct that represents side effects is an example of a monad: a general framework which can model various computations such as error handling, nondeterminism, parsing and software transactional memory. They are defined as ordinary datatypes, but Haskell provides some syntactic sugar for their use.
Haskell has an open, published specification,[27] and multiple implementations exist. Its main implementation, the Glasgow Haskell Compiler (GHC), is both an interpreter and native-code compiler that runs on most platforms. GHC is noted for its rich type system incorporating recent innovations such as generalized algebraic data types and type families. The Computer Language Benchmarks Game also highlights its high-performance implementation of concurrency and parallelism.[43]
An active, growing community exists around the language, and more than 5,400 third-party open-source libraries and tools are available in the online package repository Hackage.[44]
Code examples
[edit]A "Hello, World!" program in Haskell (only the last line is strictly necessary):
module Main (main) where -- not needed in interpreter, is the default in a module file
main :: IO () -- the compiler can infer this type definition
main = putStrLn "Hello, World!"
The factorial function in Haskell, defined in a few different ways (the first line is the type annotation, which is optional and is the same for each implementation):
factorial :: (Integral a) => a -> a
-- Using recursion (with the "ifthenelse" expression)
factorial n = if n < 2
then 1
else n * factorial (n - 1)
-- Using recursion (with pattern matching)
factorial 0 = 1
factorial n = n * factorial (n - 1)
-- Using recursion (with guards)
factorial n
| n < 2 = 1
| otherwise = n * factorial (n - 1)
-- Using a list and the "product" function
factorial n = product [1..n]
-- Using fold (implements "product")
factorial n = foldl (*) 1 [1..n]
-- Point-free style
factorial = foldr (*) 1 . enumFromTo 1
Using Haskell's Fixed-point combinator allows this function to be written without any explicit recursion.
import Data.Function (fix)
factorial = fix fac
where fac f x
| x < 2 = 1
| otherwise = x * f (x - 1)
As the Integer type has arbitrary-precision, this code will compute values such as factorial 100000 (a 456,574-digit number), with no loss of precision.
An implementation of an algorithm similar to quick sort over lists, where the first element is taken as the pivot:
-- Type annotation (optional, same for each implementation)
quickSort :: Ord a => [a] -> [a]
-- Using list comprehensions
quickSort [] = [] -- The empty list is already sorted
quickSort (x:xs) = quickSort [a | a <- xs, a < x] -- Sort the left part of the list
++ [x] ++ -- Insert pivot between two sorted parts
quickSort [a | a <- xs, a >= x] -- Sort the right part of the list
-- Using filter
quickSort [] = []
quickSort (x:xs) = quickSort (filter (<x) xs)
++ [x] ++
quickSort (filter (>=x) xs)
Implementations
[edit]All listed implementations are distributed under open source licenses.[45]
Implementations that fully or nearly comply with the Haskell 98 standard include:
- The Glasgow Haskell Compiler (GHC) compiles to native code on many different processor architectures, and to ANSI C, via one of two intermediate languages: C--, or in more recent versions, LLVM (formerly Low Level Virtual Machine) bitcode.[46][47] GHC has become the de facto standard Haskell dialect.[48] There are libraries (e.g., bindings to OpenGL) that work only with GHC. GHC was also distributed with the Haskell platform. GHC features an asynchronous runtime that also schedules threads across multiple CPU cores similar to the Go runtime.
- Jhc, a Haskell compiler written by John Meacham, emphasizes speed and efficiency of generated programs and exploring new program transformations.
- Ajhc is a fork of Jhc.
- The Utrecht Haskell Compiler (UHC) is a Haskell implementation from Utrecht University.[49] It supports almost all Haskell 98 features plus many experimental extensions. It is implemented using attribute grammars and is primarily used for research on generated type systems and language extensions.
Implementations no longer actively maintained include:
- The Haskell User's Gofer System (Hugs) is a bytecode interpreter. It was once one of the implementations used most widely, alongside the GHC compiler,[50] but has now been mostly replaced by GHCi. It also comes with a graphics library.
- HBC is an early implementation supporting Haskell 1.4. It was implemented by Lennart Augustsson in, and based on, Lazy ML. It has not been actively developed for some time.
- nhc98 is a bytecode compiler focusing on minimizing memory use.
- The York Haskell Compiler (Yhc) was a fork of nhc98, with the goals of being simpler, more portable and efficient, and integrating support for Hat, the Haskell tracer. It also had a JavaScript backend, allowing users to run Haskell programs in web browsers.
Implementations not fully Haskell 98 compliant, and using a variant Haskell language, include:
- Eta and Frege are dialects of Haskell targeting the Java virtual machine.
- Gofer is an educational dialect of Haskell, with a feature called constructor classes, developed by Mark Jones. It is supplanted by Haskell User's Gofer System (Hugs).
- Helium, a newer dialect of Haskell. The focus is on making learning easier via clearer error messages by disabling type classes as a default.
Notable applications
[edit]- Agda is a proof assistant written in Haskell.[51]
- Cabal is a tool for building and packaging Haskell libraries and programs.[52]
- Darcs is a revision control system written in Haskell, with several innovative features, such as more precise control of patches to apply.
- Glasgow Haskell Compiler (GHC) is also often a testbed for advanced functional programming features and optimizations in other programming languages.
- Git-annex is a tool to manage (big) data files under Git version control. It also provides a distributed file synchronization system (git-annex assistant).
- Linspire Linux chose Haskell for system tools development.[53]
- Pandoc is a tool to convert one markup format into another.
- Pugs is a compiler and interpreter for the programming language then named Perl 6, but since renamed Raku.
- TidalCycles is a domain special language for live coding musical patterns, embedded in Haskell.[54]
- Xmonad is a window manager for the X Window System, written fully in Haskell.[55]
- GarganText[56] is a collaborative tool to map through semantic analysis texts on any web browser, written fully in Haskell and PureScript, which is used for instance in the research community to draw up state-of-the-art reports and roadmaps.[57]
Industry
[edit]- Bluespec SystemVerilog (BSV) is a language extension of Haskell, for designing electronics. It is an example of a domain-specific language embedded into Haskell. Further, Bluespec, Inc.'s tools are implemented in Haskell.
- Cryptol, a language and toolchain for developing and verifying cryptography algorithms, is implemented in Haskell.
- Facebook implements its anti-spam programs[58] in Haskell, maintaining the underlying data access library as open-source software.[59]
- The Cardano blockchain platform is implemented in Haskell.[60]
- GitHub implemented Semantic, an open-source library to analyze, diff, and interpret untrusted source code for many languages, in Haskell.[61]
- Standard Chartered's financial modelling language Mu is syntactic Haskell running on a strict runtime.[62]
- seL4, the first formally verified microkernel,[63] used Haskell as a prototyping language for the OS developer.[63]: p.2 At the same time, the Haskell code defined an executable specification with which to reason, for automatic translation by the theorem-proving tool.[63]: p.3 The Haskell code thus served as an intermediate prototype before final C refinement.[63]: p.3
- Target stores' supply chain optimization software is written in Haskell.[64]
- Co–Star[65]
- Mercury Technologies' back end is written in Haskell.[66]
Web
[edit]Notable web frameworks written for Haskell include:[67]
Criticism
[edit]Jan-Willem Maessen, in 2002, and Simon Peyton Jones, in 2003, discussed problems associated with lazy evaluation while also acknowledging the theoretical motives for it.[68][69] In addition to purely practical considerations such as improved performance,[70] they note that lazy evaluation makes it more difficult for programmers to reason about the performance of their code (particularly its space use).
Bastiaan Heeren, Daan Leijen, and Arjan van IJzendoorn in 2003 also observed some stumbling blocks for Haskell learners: "The subtle syntax and sophisticated type system of Haskell are a double edged sword—highly appreciated by experienced programmers but also a source of frustration among beginners, since the generality of Haskell often leads to cryptic error messages."[71] To address the error messages researchers from Utrecht University developed an advanced interpreter called Helium, which improved the user-friendliness of error messages by limiting the generality of some Haskell features. In particular it disables type classes by default.[72]
Ben Lippmeier designed Disciple[73] as a strict-by-default (lazy by explicit annotation) dialect of Haskell with a type-and-effect system, to address Haskell's difficulties in reasoning about lazy evaluation and in using traditional data structures such as mutable arrays.[74] He argues (p. 20) that "destructive update furnishes the programmer with two important and powerful tools ... a set of efficient array-like data structures for managing collections of objects, and ... the ability to broadcast a new value to all parts of a program with minimal burden on the programmer."
Robert Harper, one of the authors of Standard ML, has given his reasons for not using Haskell to teach introductory programming. Among these are the difficulty of reasoning about resource use with non-strict evaluation, that lazy evaluation complicates the definition of datatypes and inductive reasoning,[75] and the "inferiority" of Haskell's (old) class system compared to ML's module system.[76]
Haskell's build tool, Cabal, has historically been criticized for poorly handling multiple versions of the same library, a problem known as "Cabal hell". The Stackage server and Stack build tool were made in response to these criticisms.[77] Cabal has since addressed this problem by borrowing ideas from the package manager Nix,[78] with the new approach becoming the default in 2019.
Related languages
[edit]Clean is a close, slightly older relative of Haskell. Its biggest deviation from Haskell is in the use of uniqueness types instead of monads for input/output (I/O) and side effects.
A series of languages inspired by Haskell, but with different type systems, have been developed, including:
- Agda, a functional language with dependent types.
- Cayenne, with dependent types.
- Elm, a functional language to create web front-end apps, no support for user-defined or higher-kinded type classes or instances.
- Epigram, a functional language with dependent types suitable for proving properties of programs.
- Idris, a general purpose functional language with dependent types, developed at the University of St Andrews.
- PureScript transpiles to JavaScript.
- Ωmega, a strict language that allows introduction of new kinds, and programming at the type level.
Other related languages include:
- Curry, a functional/logic programming language based on Haskell.
Notable Haskell variants include:
- Generic Haskell, a version of Haskell with type system support for generic programming.
- Hume, a strict functional language for embedded systems based on processes as stateless automata over a sort of tuples of one element mailbox channels where the state is kept by feedback into the mailboxes, and a mapping description from outputs to channels as box wiring, with a Haskell-like expression language and syntax.
Conferences and workshops
[edit]Haskell events have been regularly held concurrent with the International Conference on Functional Programming (ICFP) including workshops such as the Haskell Symposium (formerly the Haskell Workshop) and Commercial Users of Functional Programming.[79] Other events include the Haskell Implementors Workshop,[80] ZuriHac in Zurich,[81] and Hac: The Haskell Hackathon.[82]
References
[edit]- ^ a b c Hudak et al. 2007.
- ^ a b Marlow, Simon (24 November 2009). "Announcing Haskell 2010". Haskell (Mailing list). Retrieved 12 March 2011.
- ^ a b Riedel, Herbert (28 April 2016). "ANN: Haskell Prime 2020 committee has formed". Haskell-prime (Mailing list). Retrieved 6 May 2017.
- ^ a b c d e f g h i j k l m Peyton Jones 2003, p. xi
- ^ Norell, Ulf (2008). "Dependently Typed Programming in Agda" (PDF). Gothenburg: Chalmers University. Retrieved 9 February 2012.
- ^ Hudak et al. 2007, pp. 12–38, 43.
- ^ Stroustrup, Bjarne; Sutton, Andrew (2011). "Design of Concept Libraries for C++" (PDF). Software Language Engineering. Archived from the original (PDF) on 10 February 2012.
- ^ a b c d e f g h i j Hudak et al. 2007, pp. 12-45–46.
- ^ a b Meijer, Erik (2006). "Confessions of a Used Programming Language Salesman: Getting the Masses Hooked on Haskell". Oopsla 2007. CiteSeerX 10.1.1.72.868.
- ^ Meijer, Erik (1 October 2009). "C9 Lectures: Dr. Erik Meijer – Functional Programming Fundamentals, Chapter 1 of 13". Channel 9. Microsoft. Archived from the original on 16 June 2012. Retrieved 9 February 2012.
- ^ Drobi, Sadek (4 March 2009). "Erik Meijer on LINQ". InfoQ. QCon SF 2008: C4Media Inc. Retrieved 9 February 2012.
{{cite news}}: CS1 maint: location (link) - ^ Hickey, Rich. "Clojure Bookshelf". Listmania!. Archived from the original on 3 October 2017. Retrieved 3 October 2017.
- ^ Heller, Martin (18 October 2011). "Turn up your nose at Dart and smell the CoffeeScript". InfoWorld. Retrieved 2020-07-15.
- ^ "Declarative programming in Escher" (PDF). Retrieved 7 October 2015.
- ^ Syme, Don; Granicz, Adam; Cisternino, Antonio (2007). Expert F#. Apress. p. 2.
F# also draws from Haskell particularly with regard to two advanced language features called sequence expressions and workflows.
- ^ "Facebook Introduces 'Hack,' the Programming Language of the Future". WIRED. 20 March 2014.
- ^ "Idris, a dependently typed language". Retrieved 26 October 2014.
- ^ "LiveScript Inspiration". Retrieved 4 February 2014.
- ^ Freeman, Phil (2016). "PureScript by Example". Leanpub. Retrieved 23 April 2017.
- ^ Kuchling, A. M. "Functional Programming HOWTO". Python v2.7.2 documentation. Python Software Foundation. Retrieved 9 February 2012.
- ^ "Glossary of Terms and Jargon". Perl Foundation Perl 6 Wiki. The Perl Foundation. Archived from the original on 21 January 2012. Retrieved 9 February 2012.
- ^ "Influences - The Rust Reference". The Rust Reference. Retrieved 31 December 2023.
- ^ Fogus, Michael (6 August 2010). "MartinOdersky take(5) toList". Send More Paramedics. Retrieved 9 February 2012.
- ^ Lattner, Chris (3 June 2014). "Chris Lattner's Homepage". Chris Lattner. Retrieved 3 June 2014.
The Swift language is the product of tireless effort from a team of language experts, documentation gurus, compiler optimization ninjas, and an incredibly important internal dogfooding group who provided feedback to help refine and battle-test ideas. Of course, it also greatly benefited from the experiences hard-won by many other languages in the field, drawing ideas from Objective-C, Rust, Haskell, Ruby, Python, C#, CLU, and far too many others to list.
- ^ Chevalier, Tim (28 January 2008). "anybody can tell me the pronunciation of "haskell"?". Haskell-cafe (Mailing list). Retrieved 12 March 2011.
- ^ Type inference originally using Hindley-Milner type inference
- ^ a b c Peyton Jones 2003.
- ^ Edward Kmett, Edward Kmett – Type Classes vs. the World
- ^ Mossberg, Erik (8 June 2020), erkmos/haskell-companies, retrieved 22 June 2020
- ^ O'Sullivan, Bryan; Goerzen, John; Stewart, Donald Bruce (15 November 2008). Real World Haskell: Code You Can Believe In. "O'Reilly Media, Inc.". pp. xxviii–xxxi. ISBN 978-0-596-55430-9.
- ^ "Haskell in Production: Riskbook". Serokell Software Development Company. Retrieved 7 September 2021.
- ^ "PYPL PopularitY of Programming Language index". pypl.github.io. May 2021. Archived from the original on 7 May 2021. Retrieved 16 May 2021.
- ^ Frederickson, Ben. "Ranking Programming Languages by GitHub Users". www.benfrederickson.com. Retrieved 6 September 2019.
- ^ a b c Peyton Jones 2003, Preface.
- ^ Wadler, Philip (October 1988). "How to make ad-hoc polymorphism less ad hoc".
- ^ Peyton Jones, Simon (2003). "Wearing the hair shirt: a retrospective on Haskell". Microsoft.
- ^ "Haskell Wiki: Implementations". Retrieved 18 December 2012.
- ^ "Welcome to Haskell'". The Haskell' Wiki. Archived from the original on 20 February 2016. Retrieved 11 February 2016.
- ^ GHC 2020 Team (29 October 2021) GHC 9.2.1 released
- ^ Proposed compiler and language changes for GHC and GHC/Haskell
- ^ Wadler, P.; Blott, S. (1989). "How to make ad-hoc polymorphism less ad hoc". Proceedings of the 16th ACM SIGPLAN-SIGACT symposium on Principles of programming languages - POPL '89. ACM. pp. 60–76. doi:10.1145/75277.75283. ISBN 978-0-89791-294-5. S2CID 15327197.
- ^ Hallgren, T. (January 2001). "Fun with Functional Dependencies, or Types as Values in Static Computations in Haskell". Proceedings of the Joint CS/CE Winter Meeting. Varberg, Sweden.
- ^ "Computer Language Benchmarks Game". Archived from the original on 17 January 2021. Retrieved 12 February 2021.
- ^ "HackageDB statistics". Hackage.haskell.org. Archived from the original on 3 May 2013. Retrieved 26 June 2013.
- ^ "Implementations" at the Haskell Wiki
- ^ "The LLVM Backend". GHC Trac. 29 March 2019. Archived from the original on 7 April 2017. Retrieved 31 March 2016.
- ^ Terei, David A.; Chakravarty, Manuel M. T. (2010). "An LLVM Backend for GHC". Proceedings of ACM SIGPLAN Haskell Symposium 2010. ACM Press.
- ^ C. Ryder and S. Thompson (2005). "Porting HaRe to the GHC API"
- ^ Utrecht Haskell Compiler
- ^ Hudak et al. 2007, pp. 12–22.
- ^ Agda 2, Agda Github Community, 15 October 2021, retrieved 16 October 2021
- ^ "The Haskell Cabal". Retrieved 8 April 2015.
- ^ "Linspire/Freespire Core OS Team and Haskell". Debian Haskell mailing list. May 2006. Archived from the original on 27 December 2017. Retrieved 14 June 2006.
- ^ "Live code with Tidal Cycles". Tidal Cycles. Archived from the original on 12 September 2024. Retrieved 19 January 2022.
- ^ xmonad.org
- ^ "Gargantext – Main". 13 July 2023.
- ^ David, Chavalarias; et al. (8 May 2023). Toward a Research Agenda on Digital Media and Humanity Well-Being (report).
- ^ "Fighting spam with Haskell". Facebook Code. 26 June 2015. Retrieved 11 August 2019.
- ^ "Open-sourcing Haxl, a library for Haskell". Facebook Code. 10 June 2014. Retrieved 11 August 2019.
- ^ "input-output-hk/cardano-node: The core component that is used to participate in a Cardano decentralised blockchain". GitHub. Retrieved 18 March 2022.
- ^ Stocks, Nathan (CleanCut) (7 June 2019). "Parsing, analyzing, and comparing source code across many languages". GitHub/semantic. Retrieved 19 July 2025.
- ^ "Commercial Users of Functional Programming Workshop Report" (PDF). Retrieved 10 June 2022.
- ^ a b c d A formal proof of functional correctness was completed in 2009. Klein, Gerwin; Elphinstone, Kevin; Heiser, Gernot; Andronick, June; Cock, David; Derrin, Philip; Elkaduwe, Dhammika; Engelhardt, Kai; Kolanski, Rafal; Norrish, Michael; Sewell, Thomas; Tuch, Harvey; Winwood, Simon (October 2009). "seL4: Formal verification of an OS kernel" (PDF). 22nd ACM Symposium on Operating System Principles. Big Sky, Montana, USA.
- ^ "Tikhon Jelvis: Haskell at Target". YouTube. 22 April 2017.
- ^ "Why Co–Star uses Haskell". Co–Star. Retrieved 30 September 2023.
- ^ "Haskell in Production: Mercury". Serokell. Retrieved 11 October 2024.
- ^ "Web/Frameworks – HaskellWiki". wiki.haskell.org. Retrieved 17 September 2022.
- ^ Jan-Willem Maessen. Eager Haskell: Resource-bounded execution yields efficient iteration. Proceedings of the 2002 Association for Computing Machinery (ACM) SIGPLAN workshop on Haskell.
- ^ [dead link]Simon Peyton Jones. Wearing the hair shirt: a retrospective on Haskell. Invited talk at POPL 2003.
- ^ "Lazy evaluation can lead to excellent performance, such as in The Computer Language Benchmarks Game". 27 June 2006.
- ^ Heeren, Bastiaan; Leijen, Daan; van IJzendoorn, Arjan (2003). "Helium, for learning Haskell" (PDF). Proceedings of the 2003 ACM SIGPLAN workshop on Haskell. pp. 62–71. doi:10.1145/871895.871902. ISBN 1581137583. S2CID 11986908.
- ^ "Helium Compiler Docs". GitHub. Retrieved 9 June 2023.
- ^ "DDC – HaskellWiki". Haskell.org. 3 December 2010. Retrieved 26 June 2013.
- ^ Ben Lippmeier, Type Inference and Optimisation for an Impure World, Australian National University (2010) PhD thesis, chapter 1
- ^ Robert Harper (25 April 2011). "The point of laziness".
- ^ Robert Harper (16 April 2011). "Modules matter most".
- ^ "Solving Cabal Hell". www.yesodweb.com. Retrieved 11 August 2019.
- ^ "Announcing cabal new-build: Nix-style local builds". Retrieved 1 October 2019.
- ^ "The Haskell Symposium". www.haskell.org. Retrieved 1 November 2025.
- ^ "2025 Haskell Implementors' Workshop". haskell.foundation. Retrieved 1 November 2025.
- ^ "Zürich Friends of Haskell". zfoh.ch. Retrieved 13 March 2025.
- ^ "Hackathon – HaskellWiki".
Bibliography
[edit]- Reports
- Peyton Jones, Simon, ed. (2003). Haskell 98 Language and Libraries: The Revised Report. Cambridge University Press. ISBN 978-0521826143.
- Marlow, Simon, ed. (2010). Haskell 2010 Language Report (PDF). Haskell.org.
- Textbooks
- Davie, Antony (1992). An Introduction to Functional Programming Systems Using Haskell. Cambridge University Press. ISBN 978-0-521-25830-2.
- Bird, Richard (1998). Introduction to Functional Programming using Haskell (2nd ed.). Prentice Hall Press. ISBN 978-0-13-484346-9.
- Hudak, Paul (2000). The Haskell School of Expression: Learning Functional Programming through Multimedia. New York: Cambridge University Press. ISBN 978-0521643382.
- Hutton, Graham (2007). Programming in Haskell. Cambridge University Press. ISBN 978-0521692694.
- O'Sullivan, Bryan; Stewart, Don; Goerzen, John (2008). Real World Haskell. Sebastopol: O'Reilly. ISBN 978-0-596-51498-3. Real World Haskell (full text).
- Thompson, Simon (2011). Haskell: The Craft of Functional Programming (3rd ed.). Addison-Wesley. ISBN 978-0201882957.
- Lipovača, Miran (April 2011). Learn You a Haskell for Great Good!. San Francisco: No Starch Press. ISBN 978-1-59327-283-8. (full text)
- Bird, Richard (2014). Thinking Functionally with Haskell. Cambridge University Press. ISBN 978-1-107-45264-0.
- Bird, Richard; Gibbons, Jeremy (July 2020). Algorithm Design with Haskell. Cambridge University Press. ISBN 978-1-108-49161-7.
- Tutorials
- Hudak, Paul; Peterson, John; Fasel, Joseph (June 2000). "A Gentle Introduction To Haskell, Version 98". Haskell.org.
- Learn You a Haskell for Great Good! - A community version (learnyouahaskell.github.io). An up-to-date community maintained version of the renowned "Learn You a Haskell" (LYAH) guide.
- Daumé, Hal III. Yet Another Haskell Tutorial (PDF). Assumes far less prior knowledge than official tutorial.
- Yorgey, Brent (12 March 2009). "The Typeclassopedia" (PDF). The Monad.Reader (13): 17–68.
- Maguire, Sandy (2018). Thinking with Types: Type-Level Programming in Haskell.
- History
- Hudak, Paul; Hughes, John; Peyton Jones, Simon; Wadler, Philip (2007). "A history of Haskell" (PDF). Proceedings of the third ACM SIGPLAN conference on History of programming languages. pp. 12–1–55. doi:10.1145/1238844.1238856. ISBN 978-1-59593-766-7. S2CID 52847907.
- Hamilton, Naomi (19 September 2008). "The A-Z of Programming Languages: Haskell". Computerworld.
External links
[edit]Haskell
View on GrokipediaHistory
Origins and early development
In September 1987, at the Functional Programming Languages and Computer Architecture (FPCA) conference in Portland, Oregon, a meeting of researchers from various institutions identified the fragmentation in non-strict functional programming languages—such as Miranda, Lazy ML, and Hope—and called for a unified standard to advance the field.[5] This gathering led to the formation of the Haskell Committee, named after logician Haskell B. Curry, with initial members including Paul Hudak (Yale University), Philip Wadler (University of Edinburgh), Arvind (MIT), Lennart Augustsson (Chalmers University), Dave Barton (Yale), Brian Boutel (University of East Anglia), Warren Burton (University of Calgary), and Jon Fairbairn (University of Cambridge).[8] The committee's primary motivations were to design a language promoting strong static typing, lazy evaluation, and referential purity, addressing inefficiencies in imperative paradigms and inconsistencies among prior functional efforts.[5] Key figures like Paul Hudak and Philip Wadler, as editors, drove the initial design through collaborative papers and prototypes, while Simon Peyton Jones (University of Glasgow) contributed significantly to early implementation strategies and semantic refinements.[5] The committee's efforts produced the Haskell 1.0 Report on April 1, 1990—a 125-page document outlining the language's core syntax, semantics, and features, authored by fifteen members including the aforementioned along with Joseph Fasel, Kevin Hammond, John Hughes, and others.[9] From 1990 to 1997, Haskell progressed informally through revisions: version 1.1 (1991) tidied semantics and added minor extensions, edited by Hudak, Peyton Jones, and Wadler; 1.2 (1992) refined type-related features; 1.3 (1996) improved expressiveness; and 1.4 (1997) included minor refinements such as changes to the fixity of the monadic bind operator (>>=) and adjustments to the Enum class, along with generalized list comprehensions (which were later reverted in Haskell 98).[5][10] These updates focused on usability without formal de jure status, paving the way for the stabilized Haskell 98 report.[5]Standardization milestones
The Haskell 98 report, published in February 1999 following development from 1998 onward, established the first stable and de facto international standard for the Haskell programming language. This revision was designed as a minor update to Haskell 1.4, prioritizing backward compatibility and minimal alterations to promote long-term stability, with compilers expected to support it indefinitely alongside future versions. The report cleaned up known issues and traps identified through community feedback at workshops, without introducing major new features such as multi-parameter type classes or pattern guards, which were deferred for later consideration.[11][12] Key adjustments in Haskell 98 included refinements to type class defaulting rules, prohibiting class constraints in default numeric type selections to simplify inference and avoid ambiguity, while retaining features like n+k patterns under deprecation warnings in the preface, signaling potential future removal. These changes were informed by extensive community input, with the report authored by a dedicated committee representing diverse stakeholders in the Haskell ecosystem. The collaborative process involved mailing lists, workshops, and iterative revisions to achieve consensus, ensuring the standard reflected practical needs while belonging to the broader community.[13][5] In early 2006, the Haskell Prime (Haskell') project was launched as a community-driven initiative to pursue incremental improvements to the standard, focusing on conservative extensions of well-vetted features to maintain compatibility and stability. This effort addressed the limitations of large-scale overhauls by aiming for regular, modest revisions rather than comprehensive redesigns.[14] The project resulted in the Haskell 2010 standard, ratified and published in July 2010, which incorporated targeted enhancements including language pragmas (LANGUAGE extensions) for selectively enabling features, foreign export declarations to complement existing foreign function interfaces, improved Unicode support in lexical analysis for identifiers and literals, safe import declarations as part of the Safe Haskell subset, and pattern guards for more expressive conditional expressions. Notably, Haskell 2010 removed the deprecated n+k patterns entirely to streamline syntax and eliminate divergence issues in matching. Like its predecessor, the Haskell 2010 report was authored and approved by the Haskell community through open processes, granting unrestricted copying and distribution rights to foster widespread adoption.[15][16]Recent developments and future directions
Since 2017, the Haskell community has formalized the GHC Proposals (GHCIPs) process to propose and evaluate changes to the Glasgow Haskell Compiler (GHC) and the Haskell language specification.[17] This initiative has facilitated the introduction of features enhancing expressiveness and usability, such as improvements to implicit parameters for more flexible dictionary passing and advancements in type-level programming, including higher-kinded type families and quantified constraints.[18] For instance, GHCIP 111 introduced linear types, enabling precise resource management without garbage collection overhead in certain scenarios.[18] In 2023, discussions within the Haskell Foundation highlighted linear types as a key area for evolution, extending beyond ownership models like those in Rust to support safe in-place mutations and non-copying operations.[19] Parallelism improvements were also emphasized, with efforts to integrate linear types for pure, parallel algorithms such as in-place Fast Fourier Transforms, demonstrating concise and efficient implementations.[20][21] The Haskell Language Server (HLS), launched around 2019, has significantly advanced IDE integration by implementing the Language Server Protocol (LSP) for Haskell.[22] This tool provides features like code completion, diagnostics, and refactoring support across editors, addressing previous gaps in developer tooling and boosting productivity in large projects.[23] Established in 2020, the Haskell Foundation has played a pivotal role in community coordination, securing funding for ecosystem projects and advocating for standardization efforts.[24][25] It supports initiatives like GHC development and library maintenance, fostering broader adoption through grants and workshops. Looking ahead, the GHC20XX process, outlined in GHCIP 372, proposes a structured mechanism to bundle stable GHC extensions into new language editions, potentially forming the basis for a Haskell 202X standard that builds on Haskell 2010. As of November 2025, Haskell 2010 remains the current official standard, with ongoing work towards potential future revisions through the GHC20XX process.[26] Ongoing committee discussions in 2024-2025, including at the Haskell Symposium and ICFP, explore incorporating effect systems for modular side-effect handling and dependent types for runtime-checked proofs, aiming to enable correct-by-construction software while maintaining backward compatibility.[27][28][29] These advancements, tracked through the Dependent Haskell Roadmap, position Haskell for enhanced safety and performance in production systems.[27]Design Principles
Core features
Haskell is a purely functional programming language, where all functions behave as mathematical functions without side effects, ensuring referential transparency such that the result of evaluating an expression depends only on its subexpressions and not on external state.[30] This design choice eliminates mutable state in core computations, promoting predictable and composable code.[31] Functions in Haskell are first-class citizens, meaning they can be passed as arguments to other functions, returned as results, and stored in data structures.[32] Higher-order functions exemplify this capability; for instance, themap function applies a given function to each element of a list, as in map (+ 1) [1, 2, 3] which yields [2, 3, 4]. Similarly, foldr reduces a list to a single value by iteratively applying a binary function, such as foldr (+) 0 [1, 2, 3] resulting in 6.
Data in Haskell is immutable by default, with persistent data structures that create new versions upon modification rather than altering existing ones in place, which supports safe concurrency and avoids unintended changes. For example, prepending an element to a list with the : operator produces a new list without modifying the original.[33]
Control flow in Haskell relies on pattern matching, where functions and expressions destructure data based on its shape, with guards providing conditional branches.[34] Case expressions enable exhaustive matching, as in:
case expr of
Just x -> f x
Nothing -> g
case expr of
Just x -> f x
Nothing -> g
Maybe type variants.[35] Guards, using |, allow multiple conditions per pattern, evaluated sequentially.[36]
The module system organizes code into namespaces, with export lists specifying visible declarations and import declarations bringing in modules with options for qualified names or hiding elements.[37] A module is defined via module Name (export1, export2) where, followed by declarations.[38]
Type system
Haskell features a strong, static type system based on the Hindley-Milner type discipline, which ensures type safety at compile time while allowing polymorphic functions to be inferred without explicit annotations in most cases.[16] This system supports let-polymorphism, where types are generalized in let-bindings, enabling the reuse of functions across different types without runtime overhead.[16] The core inference mechanism relies on Algorithm W, an efficient unification-based algorithm that computes principal types for expressions, guaranteeing completeness and decidability for the simply-typed lambda calculus extended with polymorphism.[16] Parametric polymorphism in Haskell is realized through type classes, which provide a structured way to achieve ad-hoc overloading while preserving parametricity.[39] Introduced to address limitations in earlier overloading approaches, type classes define interfaces for types via methods, with instances providing concrete implementations; for example, theEq class specifies equality operations, and Ord extends it for ordering.[39] This mechanism integrates seamlessly with Hindley-Milner inference, resolving constraints during type checking to select appropriate instances without compromising the principal type property.[16]
For more expressive constraints in multi-parameter type classes, Haskell includes functional dependencies, which specify deterministic relationships between class parameters to guide instance selection and improve inference.[16] These dependencies, such as a -> b indicating that the second parameter is functionally determined by the first, prevent ambiguous overloading and enable coherent type resolution.[16] Building on this, type families—available as an extension—allow type-level functions that compute new types based on inputs, supporting indexed type synonyms and data families for advanced generic programming.
Haskell's kind system distinguishes between types and type constructors, with base kinds like * for concrete types (e.g., Int :: *) and arrows like * -> * for unary type constructors such as lists or functors.[16] This enables higher-kinded types, where type constructors can be polymorphic over other types, facilitating abstractions like monads that operate uniformly across container-like structures.[16] Kind inference ensures well-kindedness without annotations, extending the type system's safety to the meta-level of types.
Generalized Algebraic Data Types (GADTs), supported via GHC extensions, generalize standard algebraic data types by allowing constructors with explicit, potentially refined return types, enabling existential quantification and precise type indexing.[40] This feature, while not part of the core Haskell 2010 standard, has become widely adopted for encoding domain-specific languages and ensuring type-safe pattern matching through refined types.[40]
Evaluation strategy and purity
Haskell uses lazy evaluation, also known as call-by-need, as its default evaluation strategy, meaning that expressions are not evaluated until their results are required for further computation. This non-strict semantics allows functions to be applied to arguments without immediately computing them, enabling concise definitions of data structures and algorithms that would be cumbersome or impossible in strict languages. For instance, infinite lists can be defined and processed partially, such as taking the first few elements of an unending sequence generated on demand. Under the hood, lazy evaluation is implemented via thunks—suspended computations represented as closures that capture the unevaluated expression and its environment. When a value is needed, the thunk is forced to evaluate, and the result is shared to avoid recomputation, a process known as graph reduction. This contrasts with eager evaluation in languages like Java or Python, where arguments are fully evaluated before function application, potentially performing unnecessary work; Haskell's approach can thus optimize by skipping irrelevant branches but introduces challenges in predicting evaluation order.[41] To address performance issues arising from laziness, Haskell provides mechanisms for enforcing strictness. Bang patterns, an extension supported by the Glasgow Haskell Compiler (GHC) and proposed for inclusion in future Haskell standards, allow programmers to annotate patterns with a bang (!) to force immediate evaluation of variables, such as in data constructors. Additionally, the built-inseq function sequences evaluations by forcing its first argument before returning the second, helping to prevent space leaks where unevaluated thunks accumulate in memory and delay garbage collection. For example, wrapping recursive calls with seq ensures intermediate results are computed promptly, mitigating excessive memory usage in lazy programs.
Haskell enforces referential transparency and purity through its type system, ensuring that pure functions produce the same output for the same input without observable side effects. Side-effecting operations, such as input/output, are confined to the IO monad, which encapsulates impure actions in a controlled manner while keeping the rest of the language pure. This separation allows pure code to be composed and optimized freely, with IO actions threaded through the program via monadic binding, maintaining the illusion of purity at the language level.
Implementations
Glasgow Haskell Compiler (GHC)
The Glasgow Haskell Compiler (GHC) is the de facto standard implementation of Haskell, serving as a native-code compiler and interactive environment that supports the language's core features along with numerous extensions.[42] It originated in 1990 as part of a PhD project by Kevin Hammond at the University of Glasgow, funded by the UK government's SERC initiative, with early contributions from researchers including Simon Peyton Jones and Philip Wadler to advance lazy functional programming research.[5] Over time, GHC evolved from an academic prototype into an open-source project, now maintained by a global community with significant support from Well-Typed, a Haskell consultancy firm, through sponsorships and core development efforts.[43] GHC plays a central role in Haskell's ecosystem by providing a robust reference for the Haskell 2010 standard, influencing its evolution through implemented features and community feedback. As of September 2025, the latest release is GHC 9.10.3.[42] GHC's architecture follows a multi-stage compilation pipeline designed for modularity and optimization. The frontend begins with a parser generated by Happy and a lexer from Alex, which process Haskell source code into an abstract syntax tree (AST).[43] This is followed by the renamer, which resolves identifiers and handles scoping, and the type checker, which performs type inference and ensures type safety using GHC's advanced type system.[44] The desugared output is translated into Core, a small, functional intermediate language based on System F with let-polymorphism, serving as the foundation for subsequent optimizations.[45] From Core, the pipeline advances to STG (Spineless Tagless G-machine), an abstract machine for graph reduction, before reaching the backends: a native code generator for direct assembly output or the LLVM backend for cross-platform optimization and portability.[46] Since GHC 9.0 (2021), an experimental native JavaScript backend has been available, improving in later versions for web and Node.js targets.[47] Beyond standard Haskell, GHC introduces language extensions that enable advanced programming techniques, often previewing future standard features. RankNTypes allows higher-rank polymorphism, permitting type variables to be quantified at arbitrary positions in function types (e.g.,forall a. (forall b. b -> a) -> a), which facilitates generic programming and type-level computations. TypeInType, part of GHC's kind polymorphism since version 8.0, unifies types and kinds, enabling types to be treated as first-class citizens (e.g., Type as a kind, allowing data Proxy (a :: Type) = Proxy), thus supporting dependent types and reflection.[48] Linear types, introduced experimentally in GHC 9.0 (2021) and stabilized as a standard extension by GHC 9.2 (2022), enforce usage constraints on values (e.g., (%1) a for linear usage), preventing duplication or dropping of resources to improve performance in systems programming and resource-sensitive applications; they remain available and usable in GHC 9.10 as of 2025.[49]
GHC's optimizer applies a series of passes on Core to enhance performance, focusing on laziness and efficiency in functional code. Strictness analysis determines which expressions evaluate to values without further reduction, enabling the worker/wrapper transformation to unbox primitive types (e.g., replacing Int thunks with direct integer operations) and avoid unnecessary heap allocation.[50] Fusion optimizations, such as stream fusion and deforestation, eliminate intermediate data structures in list or array comprehensions by inlining and common-subexpression elimination (e.g., fusing map and fold into a single loop), reducing asymptotic complexity from O(n^2) to O(n).[51] These passes, combined with inlining and lambda lifting, allow GHC to generate highly efficient code competitive with imperative languages for numerical and parallel workloads.[44]
GHC integrates seamlessly with Haskell's tooling ecosystem for development and deployment. GHCi provides an interactive REPL for rapid prototyping, supporting expression evaluation, type inspection, and debugging with breakpoints since version 8.0. Cabal serves as the native build system and package manager, handling dependency resolution and compilation via cabal build and cabal install, while Stack builds on Cabal to offer reproducible environments by managing GHC versions and snapshots (e.g., stack build ensures consistent tooling across projects).
Alternative implementations
While the Glasgow Haskell Compiler (GHC) serves as the de facto standard implementation of Haskell, several alternative compilers and interpreters have been developed to address specific needs such as rapid prototyping, web development, research into optimizations, and experimentation with language features. However, many are no longer actively maintained as of 2025, with GHC dominating due to its performance and feature completeness.[52][53] Hugs is an interpreted implementation of Haskell 98 designed primarily for rapid prototyping, interactive experimentation, and educational purposes, offering quick feedback through its bytecode interpreter without the need for compilation to native code.[54] It supports core Haskell features like lazy evaluation, higher-order functions, and pattern matching, making it suitable for teaching and small-scale development. However, Hugs is no longer actively maintained, with its last major release occurring in September 2006.[55] GHCJS provides a JavaScript backend for Haskell, enabling the transpilation of Haskell code to JavaScript for execution in web browsers and Node.js environments, which facilitates client-side web development in a purely functional style.[56] First announced in 2013, it leverages the GHC API to compile Haskell programs while handling foreign function interfaces to JavaScript, allowing seamless integration with web APIs and libraries.[57] This makes GHCJS particularly valuable for building interactive web applications, though it requires careful management of JavaScript runtime constraints like garbage collection; as of 2023, its support was considered experimental in tools like Stack.[56][58] JHC (John's Haskell Compiler) and UHC (Utrecht Haskell Compiler) are research-oriented implementations that emphasize correctness, alternative optimization strategies, and exploration of Haskell's design space. JHC focuses on generating highly efficient code through whole-program analysis and novel compilation techniques, often producing smaller binaries and supporting cross-compilation scenarios; it receives sporadic updates.[59][60] UHC, developed at Utrecht University, adopts a modular architecture that supports most Haskell 98 and 2010 features alongside experimental extensions, targeting multiple backends including JavaScript and enabling experimentation with language variants such as attribute grammars for code generation; however, it is no longer actively maintained, with last significant updates around 2015 supporting GHC 7.10.[61][53] Both prioritize semantic fidelity and innovative optimizations over broad feature parity with GHC, making them suitable for academic research and specialized verification tasks.[62] Alternative Haskell implementations also support niche applications, such as embedded systems development through cross-compilation tools like cross-x86_64-linux-gnu-ghc, which allow targeting resource-constrained architectures like ARM for real-time or IoT applications.[63] These tools extend Haskell's reach to domains requiring static binaries and minimal runtime overhead, though they often build upon core compilers like GHC or JHC for portability.[64]Syntax and Examples
Basic syntax elements
Haskell's syntax is declarative and functional, emphasizing mathematical notation and avoiding side effects, which makes it concise yet expressive for defining computations. Programs are composed of function definitions, data declarations, and expressions, with layout rules dictating structure rather than braces or semicolons. This design draws from mathematical lambda calculus and ML-like languages, promoting readability and preventing common errors like mismatched delimiters. Function definitions form the core of Haskell code, typically specified using an equals sign after the function name and parameters, allowing for pattern matching on arguments to handle different cases concisely. For instance, a factorial function can be defined with recursive pattern matching:factorial 0 = 1 and factorial n = n * factorial (n - 1), where the first clause matches the base case and subsequent ones apply to other inputs. This pattern matching extends to multiple arguments and guards (using | for conditions), enabling elegant decomposition without explicit if-else chains in many scenarios.
Algebraic data types (ADTs) provide a way to define custom types using the data keyword, combining constructors to represent structured data. A canonical example is data Maybe a = Nothing | Just a, which encapsulates optional values: Nothing for absence and Just wrapping a value of type a. Constructors can be parameterized or include fields, such as data Person = Person { name :: String, age :: Int }, allowing record syntax for convenient access and updates. These declarations support polymorphism through type variables like a, enabling generic programming.
Lists are homogeneous collections denoted by square brackets, such as [1, 2, 3] for integers or ['a', 'b'] for characters, with operations like cons (:) for prepending elements, e.g., 1 : [2, 3]. Tuples, in contrast, are fixed-size heterogeneous pairs or more, written with parentheses like (1, "hello") or (True, 42, 'x'), useful for grouping disparate values without defining new types. Empty lists use [], and list comprehensions like [x*2 | x <- [1..5]] offer a succinct way to generate them, akin to set-builder notation.
Control structures in Haskell rely on expressions rather than statements, with let bindings introducing local definitions, such as let x = 5 in x + 3, which can appear in expressions or at the top level. where clauses provide an alternative for scoping bindings after definitions, e.g., factorial n = if n == 0 then 1 else n * factorial (n-1) where base = 1. For monadic computations, do-notation offers a imperative-like syntax for sequencing, as in do { x <- someAction; return (x + 1) }, abstracting over effects like I/O while remaining pure in non-monadic contexts (detailed further in the type system). Type annotations, such as factorial :: Int -> Int, can clarify or constrain types explicitly.
Haskell employs indentation-sensitive layout to define scopes, where increased indentation signals the start of a block, such as in function bodies or let expressions, eliminating the need for explicit delimiters and enforcing consistent formatting. Comments are single-line with -- or multi-line with {- ... -}, which can nest and are ignored by the parser, aiding documentation without affecting layout. This whitespace-driven approach, while requiring care, aligns with Haskell's emphasis on clarity and has been standardized since early reports.
Practical code examples
One of the simplest Haskell programs demonstrates input/output operations using the IO monad. The following code defines a main function that prints a greeting to the console.[65]main :: IO ()
main = putStrLn "Hello, World!"
main :: IO ()
main = putStrLn "Hello, World!"
quicksort :: Ord a => [a] -> [a]
quicksort [] = []
quicksort (x:xs) =
let smallerSorted = quicksort [a | a <- xs, a <= x]
biggerSorted = quicksort [a | a <- xs, a > x]
in smallerSorted ++ [x] ++ biggerSorted
quicksort :: Ord a => [a] -> [a]
quicksort [] = []
quicksort (x:xs) =
let smallerSorted = quicksort [a | a <- xs, a <= x]
biggerSorted = quicksort [a | a <- xs, a > x]
in smallerSorted ++ [x] ++ biggerSorted
quicksort [3,1,4,1,5,9], yields [1,1,3,4,5,9]. Haskell's lazy evaluation allows the recursive calls to process only the necessary parts of the lists during concatenation.[66]
The Maybe monad handles computations that may fail, such as division by zero, by wrapping results in Just or Nothing. A safe division function can be defined as follows, using the monadic bind operator (>>=) to chain operations.[67]
safeDiv :: Int -> Int -> Maybe Int
safeDiv _ 0 = Nothing
safeDiv x y = Just (x `div` y)
-- Example usage
example :: Maybe Int
example = safeDiv 10 2 >>= (\result -> safeDiv result 5)
-- Results in Just 1
safeDiv :: Int -> Int -> Maybe Int
safeDiv _ 0 = Nothing
safeDiv x y = Just (x `div` y)
-- Example usage
example :: Maybe Int
example = safeDiv 10 2 >>= (\result -> safeDiv result 5)
-- Results in Just 1
-- Using applicative operators
addMaybe :: Maybe Int -> Maybe Int -> Maybe Int
addMaybe mx my = (+) <$> mx <*> my
-- Example
exampleAdd :: Maybe Int
exampleAdd = addMaybe (Just 3) (Just 5)
-- Results in Just 8
-- Using applicative operators
addMaybe :: Maybe Int -> Maybe Int -> Maybe Int
addMaybe mx my = (+) <$> mx <*> my
-- Example
exampleAdd :: Maybe Int
exampleAdd = addMaybe (Just 3) (Just 5)
-- Results in Just 8
safeHead :: [a] -> Either String a
safeHead [] = Left "Empty list"
safeHead (x:_) = Right x
divide :: Int -> Int -> Either String Int
divide _ 0 = Left "Division by zero"
divide x y = Right (x `div` y)
-- Chained example
process :: [Int] -> Either String Int
process xs = safeHead xs >>= (\h -> divide 100 h)
-- For [5], results in Right 20; for [], Left "Empty list"
safeHead :: [a] -> Either String a
safeHead [] = Left "Empty list"
safeHead (x:_) = Right x
divide :: Int -> Int -> Either String Int
divide _ 0 = Left "Division by zero"
divide x y = Right (x `div` y)
-- Chained example
process :: [Int] -> Either String Int
process xs = safeHead xs >>= (\h -> divide 100 h)
-- For [5], results in Right 20; for [], Left "Empty list"
Applications
Academic and research uses
Haskell has been widely adopted in academic settings for teaching functional programming principles since the mid-1990s, when it became a practical alternative to earlier languages like Miranda for classroom use. Institutions such as MIT and Stanford have integrated Haskell into introductory computer science courses to illustrate key concepts including recursion, higher-order functions, lazy evaluation, and strong typing. For instance, MIT offers resources and courses focused on Haskell fundamentals, while Stanford's CS 43 and CS 240h emphasize functional abstractions and systems programming in the language.[70][71][72][73] In research, Haskell has influenced the development of dependently typed languages like Agda and Idris, serving as a precursor through ongoing experiments in extending its type system to support value-dependent types. Projects such as Dependent Haskell propose semantics for full-spectrum dependent types within Haskell's framework, enabling proofs about program behavior directly in the language and bridging theoretical type theory with practical implementation. Agda's syntax, for example, draws heavily from Haskell's functional style, facilitating incremental proof development and program verification. Similarly, Idris builds on Haskell's purely functional paradigm while incorporating totality checking via dependent types for safer software construction.[74][75][76][77] Haskell plays a prominent role in formal verification, particularly through tools like LiquidHaskell, which augments the language with refinement types to encode logical specifications and automate theorem proving using SMT solvers. This approach allows verification of properties such as functional correctness, resource bounds, and termination without leaving the Haskell ecosystem; for example, LiquidHaskell has verified over 10,000 lines of code from standard libraries and applications, often requiring fewer than 2 additional annotations per 100 lines. Its integration with GHC enables seamless refinement checking during compilation, making it suitable for proving invariants in real-world algorithms.[78][79] Haskell supports theoretical computer science by enabling implementations of foundational models like the lambda calculus and providing libraries for category theory explorations. Packages such aslambda-calculus offer tools for interpreting untyped and simply typed lambda terms, including beta-reduction and Church encoding, which aid in studying computability and type inference. The categories package parametrizes categorical structures over morphism classes, allowing users to define functors, natural transformations, and monads in a way that mirrors abstract algebraic hierarchies and facilitates proofs of categorical laws. These resources underscore Haskell's utility in prototyping theoretical constructs and verifying their properties.
The breadth of Haskell's academic impact is evident in its extensive literature, with over 10,000 papers published by 2025 that cite or build upon the language, spanning topics from type theory to parallel computing. The seminal 1990 report defining Haskell has alone garnered thousands of citations, highlighting its enduring role in advancing programming language design.[80][31]
Industry adoption
Haskell has seen adoption in the financial sector, particularly for backend services requiring high reliability and formal verification. Standard Chartered, a multinational bank, has utilized Haskell extensively since the mid-2010s for core business systems, including foundational APIs, command-line interfaces for deal valuation and risk analysis, and end-user graphical interfaces. The bank maintains over 6 million lines of code in a custom Haskell dialect called Mu, enabling scalable functional programming across their tech stack.[81] Meta (formerly Facebook) employs Haskell in production for anti-abuse infrastructure, notably the Sigma rule engine, which processes over 1 million requests per second to combat spam, phishing, and malware. This system, deployed since 2015 following a two-year redesign, leverages Haskell's strengths in concurrency and reliability for real-time decision-making in backend services.[82] In the blockchain domain, the Cardano platform, developed by Input Output Global (IOG), is primarily built using Haskell, with development beginning in 2015 and mainnet launch in 2017. Haskell underpins Cardano's core node software, smart contract platform Plutus—a restricted subset of Haskell—and ensures formal verifiability for secure, proof-of-stake transactions. This choice facilitates robust code execution, test simulations, and optimization in a decentralized environment.[83][84] Industry adoption often involves hybrid systems to integrate Haskell with legacy codebases, addressed through the Foreign Function Interface (FFI) for seamless interoperability with C and C++ libraries. For instance, Meta's Sigma integrates Haskell code sandwiched between C++ thrift layers, using FFI via an intermediate C wrapper to access C++ clients as data sources, mitigating performance overhead in large-scale deployments. This approach allows Haskell's purity and type safety to complement imperative systems without full rewrites.[82] Haskell's commercial footprint remains niche but growing, with increasing demand in specialized roles; job postings for Haskell developers have shown steady interest in finance and blockchain sectors from 2020 to 2025, as reflected in developer surveys and hiring trends.[85]Web and other domains
Haskell has established a niche in web development through frameworks that leverage its type system for safety and correctness. Yesod, a RESTful web framework introduced in 2010, emphasizes type-safe routing, templating, and persistence, converting potential runtime errors into compile-time checks to facilitate productive development of high-performance applications.[86][87] Similarly, Servant, a type-level domain-specific language for web APIs released around 2014, allows developers to define APIs as Haskell types, automatically generating server handlers, clients, and documentation while ensuring type-safe interactions.[88][89] On the server side, Warp provides a lightweight, high-performance HTTP server library for the Web Application Interface (WAI), supporting HTTP/1.x and HTTP/2 protocols with efficient handling of concurrent requests, making it a foundational component for Haskell web stacks.[90][91] Beyond the web, Haskell finds application in document processing via Pandoc, a versatile library and command-line tool for converting between markup formats such as Markdown, HTML, and LaTeX, enabling automated workflows for publishing and content management.[92] In artificial intelligence, the HLearn library supports machine learning tasks through homomorphic designs, offering efficient implementations for algorithms like nearest neighbors and leveraging Haskell's algebraic structures for parallel training and cross-validation.[93] For embedded systems, Haskell integrates with robotics via roshask, a binding to the Robot Operating System (ROS) that enables stream-oriented programming of nodes for sensor data processing and control in robotic applications.[94] On the mobile front, GHCJS compiles Haskell code to JavaScript, providing partial support for browser-based frontends, including React-like interfaces through libraries that bridge functional paradigms with web technologies.[56]Ecosystem
Libraries and package management
Hackage serves as the central repository for Haskell packages, hosting open-source software contributed by the community since its launch in January 2007.[95] As of July 2025, it contains over 17,000 unique package names, providing a vast ecosystem for developers to discover, share, and reuse libraries.[96] To address challenges like dependency conflicts, Stackage offers curated collections of packages that are verified to build together and pass tests, resulting in stable Long Term Support (LTS) snapshots.[97] These snapshots help mitigate "dependency hell" by pinning compatible versions, enabling reproducible builds across projects without manual resolution of incompatibilities.[98] Package management in Haskell relies on Cabal for defining package specifications, including metadata, dependencies, and build instructions in.cabal files, which form the standard for describing Haskell packages.[99] Stack, in contrast, builds upon Cabal as a higher-level tool for reproducible environments, automatically managing GHC compiler versions and drawing from Stackage snapshots to ensure consistent, version-locked builds.[100]
Among popular libraries, the lens package provides a comprehensive toolkit for lenses, folds, traversals, and related optics, enabling composable and type-safe access to nested data structures in Haskell.[101] Similarly, QuickCheck facilitates property-based testing by automatically generating random inputs to verify program properties specified as Haskell functions.[102]
Recent trends in the Haskell ecosystem highlight growing adoption of effect systems for modular effect handling, with libraries like polysemy enabling low-boilerplate composition of domain-specific effects while separating business logic from concrete implementations.[103]
