<<

Haskell () 1 Haskell (programming language)

Haskell

Paradigm(s) functional, lazy/non-strict, modular

Designed by , Lennart Augustsson, Dave Barton, Brian Boutel, Warren Burton, Joseph Fasel, Kevin Hammond, Ralf Hinze, , John Hughes, Thomas Johnsson, Mark Jones, John Launchbury, Erik Meijer, John Peterson, Alastair Reid, Colin Runciman,

Appeared in 1990

Stable release Haskell 2010 / July 2010

Preview release Announced as Haskell 2014

Typing discipline static, strong, inferred

Major GHC, , NHC, JHC, Yhc, UHC implementations

Dialects Helium, Gofer

Influenced by Clean, FP, Gofer, Hope and Hope+, Id, ISWIM, KRC, Lisp, Miranda, ML and Standard ML, Orwell, SASL, SISAL, Scheme

[1] [2] [2] [2] Influenced Agda, , ++11/Concepts, C#/LINQ, CAL,Wikipedia:Citation needed Cayenne, Clean, Clojure, [2] [2] CoffeeScript, Curry, Elm, Epigram,Wikipedia:Citation needed Escher,Wikipedia:Citation needed F#, Frege, Isabelle, [2] [2] Java/Generics, Kaya,Wikipedia:Citation needed LiveScript, Mercury, Omega,Wikipedia:Citation needed 6, [2] [2] [2] Python, Qi,Wikipedia:Citation needed Scala, Swift, Timber,Wikipedia:Citation needed Visual Basic 9.0

OS Cross-platform

Filename .hs, .lhs extension(s)

[3] Website haskell.org

Haskell /ˈhæskəl/ is a standardized, general-purpose purely language, with non-strict and strong static typing.[4] It is named after logician Haskell Curry.[5]

History Following 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. Of these, Miranda was the most widely used, but was proprietary software. At the conference on Functional Programming Languages and Computer Architecture (FPCA '87) in Portland, Oregon, a meeting was held during which participants formed a strong consensus that a committee should be formed to define an open standard for such languages. The committee's purpose was to consolidate the existing functional languages into a common one that would serve as a basis for future research in functional-language design.[6] Haskell (programming language) 2

Haskell 1.0 to 1.4 The first version of Haskell ("Haskell 1.0") was defined in 1990.[5] The committee's efforts resulted in a series of language definitions (1.0, 1.1, 1.2, 1.3, 1.4).

Haskell 98 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 the creation of extensions and variants of Haskell 98 via adding and incorporating experimental features.[6] In February 1999, the Haskell 98 language standard was originally published as "The Haskell 98 Report".[6] In January 2003, a revised version was published as "Haskell 98 Language and Libraries: The Revised Report".[4] The language continues to evolve rapidly, with the Glasgow Haskell (GHC) implementation representing the current de facto standard.

Haskell Prime In early 2006, the process of defining a successor to the Haskell 98 standard, informally named Haskell Prime, began. This is 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 and published in July 2010.

Haskell 2010 Haskell 2010 adds the foreign function interface (FFI) to Haskell, allowing for bindings to other programming languages, fixes some syntax issues (changes in the formal grammar) and bans so-called "n-plus-k-patterns", that is, definitions of the form fact (n+1) = (n+1) * fact n are no longer allowed. It introduces the Language-Pragma-Syntax-Extension which allows for designating a Haskell source as Haskell 2010 or requiring certain extensions to the Haskell language. The names of the extensions introduced in Haskell 2010 are DoAndIfThenElse, HierarchicalModules, EmptyDataDeclarations, FixityResolution, ForeignFunctionInterface, LineCommentSyntax, PatternGuards, RelaxedDependencyAnalysis, LanguagePragma and NoNPlusKPatterns.

Features Main article: See also: § Extensions to Haskell Haskell features , , list comprehension, type classes, and type polymorphism. It is a purely functional language, which means that in general, functions in Haskell do not have side effects. There is a distinct construct for representing side effects, orthogonal to the type of functions. A pure function may return a side effect which is subsequently executed, modeling the impure functions of other languages. Haskell has a strong, static based on Hindley–Milner . Haskell's principal innovation in this area is to add type classes, which were originally conceived as a principled way to add overloading to the language, but have since found many more uses. The construct which represents side effects is an example of a monad. Monads are a general framework which can model different kinds of computation, including error handling, nondeterminism, , and software transactional memory. Monads are defined as ordinary datatypes, but Haskell provides some for their use. The language has an open, published specification,[4] and multiple implementations exist. The main implementation of Haskell, GHC, is both an and native-code compiler that runs on most platforms. GHC is noted for its high-performance implementation of concurrency and parallelism,[7] and for having a rich type system incorporating Haskell (programming language) 3

recent innovations such as generalized algebraic data types and type families. There is an active community around the language, and more than 5400 third-party open-source libraries and tools are available in the online package repository Hackage.

Code examples See also: Haskell 98 features § Examples The following is a Hello world program written in Haskell (note that all but the last line can be omitted):

module Main where

main :: IO () main = putStrLn "Hello, World!"

Here is the factorial function in Haskell, defined in a few different ways:

-- Type annotation (optional) factorial :: (Integral a) => a -> a

-- Using factorial n | n < 2 = 1 factorial n = n * factorial (n - 1)

-- Using recursion but written without pattern matching factorial n = if n > 0 then n * factorial (n-1) else 1

-- Using a list factorial n = product [1..n]

-- Using fold (implements product) factorial n = foldl1 (*) [1..n]

-- Point-free style factorial = foldr (*) 1 . enumFromTo 1

An efficient implementation of the Fibonacci numbers, as an infinite list, is this:

-- Type annotation (optional) fib :: Int -> Integer

-- With self-referencing data fib n = fibs !! n where fibs = 0 : scanl (+) 1 fibs -- 0,1,1,2,3,5,...

-- Same, coded directly fib n = fibs !! n where fibs = 0 : 1 : next fibs next (a : t@(b:_)) = (a+b) : next t Haskell (programming language) 4

-- Similar idea, using zipWith fib n = fibs !! n where fibs = 0 : 1 : zipWith (+) fibs (tail fibs)

-- Using a generator function fib n = fibs (0,1) !! n where fibs (a,b) = a : fibs (b,a+b)

The Int type refers to a machine-sized integer (used as a list subscript with the !! operator), while Integer is an arbitrary-precision integer. For example, using Integer, the factorial code above easily computes "factorial 100000" as an incredibly large number of 456,574 digits, with no loss of precision. This is an implementation of an algorithm similar to quick sort over lists, in which the first element is taken as the pivot:

:: Ord a => [a] -> [a] quickSort [] = [] 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

Implementations All listed implementations are distributed under open source licenses. There are currently no proprietary Haskell implementations.[8] The following implementations comply fully, or very nearly, with the Haskell 98 standard. • The Glasgow Haskell Compiler (GHC) compiles to native code on a number of different architectures—as well as to ANSI C—using C-- as an intermediate language. GHC has become the de facto standard Haskell dialect.[9] There are libraries (e.g. bindings to OpenGL) that will work only with GHC. GHC is also distributed along with the . • The Utrecht Haskell Compiler (UHC) is a Haskell implementation from Utrecht University. UHC supports almost all Haskell 98 features plus many experimental extensions. It is implemented using attribute grammars and is currently mainly used for research into generated type systems and language extensions. • Jhc is a Haskell compiler written by John Meacham emphasising speed and efficiency of generated programs as well as exploration of new program transformations. • Ajhc is a fork of Jhc. • LHC is a whole-program optimizing backend for GHC. It is based on Urban Boquist’s compiler intermediate language, GRIN. Older versions of LHC were based on Jhc rather than GHC. The following implementations are no longer being actively maintained: • Hugs, the Haskell User's Gofer System, is a interpreter. It used to be one of the most widely used implementations alongside the GHC compiler,[10] but has now been mostly replaced by GHCi. It also comes with a graphics library. • nhc98 is another bytecode compiler. Nhc98 focuses on minimizing memory usage. • Yhc, the York Haskell Compiler was a fork of nhc98, with the goals of being simpler, more portable and more efficient, and integrating support for Hat, the Haskell tracer. It also featured a JavaScript backend allowing users to run Haskell programs in a web browser. Haskell (programming language) 5

• 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. Implementations below are not fully Haskell 98 compliant, and use a language that is a variant of Haskell: • Gofer was an educational dialect of Haskell, with a feature called "constructor classes", developed by Mark Jones. It was supplanted by Hugs (see above). • Helium is a newer dialect of Haskell. The focus is on making it easy to learn by providing clearer error messages. It currently lacks full support for type classes, rendering it incompatible with many Haskell programs.

Applications Audrey Tang's is an implementation for the long-forthcoming Perl 6 language with an interpreter and that proved useful after just a few months of its writing; similarly, GHC is often a testbed for advanced functional programming features and optimizations. Darcs is a revision control system written in Haskell, with several innovative features. Linspire GNU/ chose Haskell for system tools development. is a window manager for the X Window System, written entirely in Haskell.[11] Bluespec SystemVerilog (BSV) is a language for semiconductor design that is an extension of Haskell. Additionally, Bluespec, Inc.'s tools are implemented in Haskell. Cryptol, a language and toolchain for developing and verifying cryptographic algorithms, is implemented in Haskell. Notably, the first formally verified microkernel, seL4 was verified using Haskell. There are Haskell web frameworks,[12] such as: • • Happstack • Snap

Related languages Clean is a close relative of Haskell. Its biggest deviation from Haskell is in the use of uniqueness types instead of monads for 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 • Idris, a general purpose functional language with dependent types • Epigram, a functional language with dependent types suitable for proving properties of programs • Cayenne, with dependent types • Ωmega, strict and more JVM-based: • Frege, a Haskell-like language with Java's scalar types and good Java integration.[13][14][15] • Jaskell, a functional scripting programming language that runs in Java VM.[16] Other related languages include: • Curry, a functional/ language based on Haskell Haskell has served as a testbed for many new ideas in language design. There have been a wide number of Haskell variants produced, exploring new language ideas, including: • Parallel Haskell: • From Glasgow University, supports clusters of machines or single multiprocessors.[17][18] Also within Haskell is support for Symmetric Multiprocessor parallelism.[19] • From MIT[20] Haskell (programming language) 6

• Distributed Haskell (formerly Goffin) and Eden.Wikipedia:Citation needed • Eager Haskell, based on speculative evaluation. • Several object-oriented versions: Haskell++, and Mondrian. • Generic Haskell, a version of Haskell with type system support for . • O'Haskell, an extension of Haskell adding object-orientation and concurrent programming support which "has ... been superseded by Timber."[21] • Disciple, a strict-by-default (laziness available by annotation) dialect of Haskell which supports destructive update, computational effects, type directed field projections and allied functional goodness. • Scotch, a of hybrid of Haskell and Python[22] • Hume, a strict functional programming language for embedded systems based on processes as stateless automata over a sort of tuples of single 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.

Criticism Jan-Willem Maessen, in 2002, and Simon Peyton Jones, in 2003, discussed problems associated with lazy evaluation while also acknowledging the theoretical motivation for it,[23][24] in addition to purely practical considerations such as improved performance.[25] They note that, in addition to adding some performance overhead, lazy evaluation makes it more difficult for programmers to reason about the performance of their code (particularly its space usage). 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." To address these, 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, and in particular removing support for type classes. Ben Lippmeier designed Disciple 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.[26] He argues (p. 20) that "destructive update furnishes the programmer with two important and powerful tools... a 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 usage with non-strict evaluation, that lazy evaluation complicates the definition of data types and inductive reasoning, and the "inferiority" of Haskell's (old) class system compared to ML's module system.

Conferences and workshops The Haskell community meets regularly for research and development activities. The primary events are: • The Haskell Symposium (formerly the Haskell Workshop) • The Haskell Implementors Workshop • The International Conference on Functional Programming Since 2006, there have been a series of organized "hackathons", the Hac series, aimed at improving the programming language tools and libraries. Since 2005, a growing number of Haskell users' groups have formed, in the United States, Canada, Australia, South America, Europe and Asia. Haskell (programming language) 7

References [1] Hudak et al. 2007, p. 12-38,43. [2] Hudak et al. 2007, pp. 12-45–46.

[3] http:/ / haskell. org [4] Peyton Jones 2003. [5] Hudak et al. 2007. [6] Peyton Jones 2003, Preface.

[7] Computer Language Benchmarks Game (http:/ / shootout. alioth. . org/ )

[8] "Implementations" (http:/ / www. haskell. org/ haskellwiki/ Implementations) at the Haskell Wiki

[9] C. Ryder and S. Thompson (2005). " HaRe to the GHC API" (http:/ / kar. kent. ac. uk/ 14237/ 1/ Tech_Chris. pdf) [10] Hudak et al. 2007, p. 12-22. [11] xmonad.org

[12] HaskellWiki – Haskell web frameworks (http:/ / www. haskell. org/ haskellwiki/ Web/ Frameworks)

[13] The Frege prog. lang. (http:/ / fregepl. blogspot. com)

[14] Project Frege at google code (http:/ / code. google. com/ p/ frege/ )

[15] Hellow World and more with Frege (http:/ / mmhelloworld. blogspot. com. es/ 2012/ 02/ hello-world-frege. html)

[16] Jaskell (http:/ / jaskell. codehaus. org/ )

[17] Glasgow Parallel Haskell (http:/ / www. macs. hw. ac. uk/ ~dsg/ gph/ )

[18] GHC Language Features: Parallel Haskell (http:/ / www. haskell. org/ ghc/ docs/ 6. 6/ html/ users_guide/ lang-parallel. html)

[19] Using GHC: Using SML parallelism (http:/ / www. haskell. org/ ghc/ docs/ 6. 6/ html/ users_guide/ sec-using-smp. html)

[20] MIT Parallel Haskell (http:/ / csg. csail. mit. edu/ projects/ languages/ ph. shtml)

[21] OHaskell at HaskellWiki (http:/ / www. haskell. org/ haskellwiki/ O'Haskell)

[22] Scotch (http:/ / www. bendmorris. com/ 2011/ 01/ what-problem-does-scotch-solve. html) [23] Jan-Willem Maessen. Eager Haskell: Resource-bounded execution yields efficient iteration. Proceedings of the 2002 ACM SIGPLAN workshop on Haskell.

[24] Simon Peyton Jones. Wearing the hair shirt: a retrospective on Haskell (http:/ / research. microsoft. com/ ~simonpj/ papers/ haskell-retrospective). Invited talk at POPL 2003.

[25] Lazy evaluation can lead to excellent performance, such as in The Computer Language Benchmarks Game (http:/ / www. haskell. org/

pipermail/ haskell/ 2006-June/ 018127. html)

[26] Ben Lippmeier, Type Inference and Optimisation for an Impure World (http:/ / www. cse. unsw. edu. au/ ~benl/ papers/ /

lippmeier-impure-world. pdf), Australian National University (2010) PhD thesis, chapter 1

Further reading Reports

• Peyton Jones, Simon, ed. (2003). Haskell 98 Language and Libraries: The Revised Report (http:/ / haskell. org/

onlinereport/ ). Cambridge University Press. ISBN 0521826144. Textbooks • Davie, Antony (1992). An Introduction to Functional Programming Systems Using Haskell. Cambridge University Press. ISBN 0-521-25830-8.

• Bird, Richard (1998). Introduction to Functional Programming using Haskell (http:/ / www. cs. ox. ac. uk/

publications/ books/ functional/ ) (2nd ed.). Prentice Hall Press. ISBN 0-13-484346-0. • Hudak, Paul (2000). The Haskell School of Expression: Learning Functional Programming through Multimedia

(http:/ / www. cs. yale. edu/ homes/ hudak/ SOE/ ). New York: Cambridge University Press. ISBN 0521643384.

• Hutton, Graham (2007). Programming in Haskell (http:/ / www. cs. nott. ac. uk/ ~gmh/ book. html). Cambridge University Press. ISBN 0521692695. • O'Sullivan, Bryan; Stewart, Don; Goerzen, John (2008). Real World Haskell. Sebastopol: O'Reilly.

ISBN 0-596-51498-0 ( full text (http:/ / book. realworldhaskell. org/ read/ ))

• Thompson, Simon (2011). Haskell: The Craft of Functional Programming (http:/ / www. haskellcraft. com/ ) (3rd ed.). Addison-Wesley. ISBN 0201882957.

• Lipovača, Miran (April 2011). Learn You a Haskell for Great Good! (http:/ / learnyouahaskell. com/ ). San Francisco: No Starch Press. ISBN 978-1-59327-283-8. Haskell (programming language) 8

History • Hudak, Paul; Hughes, John; Peyton Jones, Simon; Wadler, Philip (2007). "A History of Haskell: Being Lazy with

Class" (http:/ / research. microsoft. com/ ~simonpj/ papers/ history-of-haskell/ history. pdf). Proceedings of the third ACM SIGPLAN conference on History of programming languages (HOPL III): 12–1–55. doi:

10.1145/1238844.1238856 (http:/ / dx. doi. org/ 10. 1145/ 1238844. 1238856). ISBN 978-1-59593-766-7.

External links

Wikibooks has a book on the topic of: Haskell

Wikibooks has a book on the topic of: Write Yourself a Scheme in 48 Hours

• Official website (http:/ / haskell. org)

• Language and library specification (http:/ / www. haskell. org/ haskellwiki/ Language_and_library_specification) at the Haskell Wiki

• Haskell (http:/ / www. dmoz. org/ Computers/ Programming/ Languages/ Haskell) at DMOZ Tutorials

• Hudak, Paul; Peterson, John; Fasel, Joseph (June 2000). "A Gentle Introduction To Haskell, Version 98" (http:/ /

haskell. org/ tutorial/ ). Haskell.org.

• Learn you a Haskell for great good! (http:/ / learnyouahaskell. com/ ) by Miran Lipovača; assumes no knowledge

• School of Haskell (https:/ / www. fpcomplete. com/ school); online tutorials and courses where the user can run and edit snippets of Haskell code in-place within the FP Haskell Center interactive IDE.

• Try Haskell! (http:/ / tryhaskell. org/ ), an in-browser interactive tutorial

• Yet Another Haskell Tutorial (http:/ / hal3. name/ docs/ daume02yaht. pdf), by Hal Daumé III; assumes far less prior knowledge than official tutorial

• The Haskell Cheatsheet (http:/ / cheatsheet. codeslower. com/ ), compact language reference and mini-tutorial

• Hitchhikers guide to Haskell (http:/ / www. haskell. org/ haskellwiki/ Hitchhikers_guide_to_Haskell), a tutorial that guides you through using some complex features in Haskell Books

• Real World Haskell (http:/ / book. realworldhaskell. org) by Bryan O'Sullivan, Don Stewart, and John Goerzen, published by O'Reilly Media

• About Haskell. Humanly (http:/ / denisshevchenko. . io/ ohaskell/ en/ ) Various

• Yorgey, Brent (12 March 2009). "The Typeclassopedia" (http:/ / www. haskell. org/ wikiupload/ 8/ 85/

TMR-Issue13. pdf). The Monad.Reader (13): 17–68

• Jones, William (5 August 2009). Warp Speed Haskell (http:/ / www. doc. ic. ac. uk/ teaching/

distinguished-projects/ 2009/ w. jones. pdf). Imperial College London.

• The Evolution of a Haskell Programmer (http:/ / www. willamette. edu/ ~fruehr/ haskell/ evolution. html), slightly humorous overview of different programming styles available in Haskell

• Online Bibliography of Haskell Research (http:/ / haskell. readscheme. org/ )

• Haskell Weekly News (http:/ / contemplatecode. blogspot. com/ search/ label/ HWN)

• HaskellNews.org (http:/ / haskellnews. org/ )

• The Monad.Reader (http:/ / themonadreader. wordpress. com/ ), quarterly magazine on Haskell topics

• Markus (29 August 2008). "Episode 108: Simon Peyton Jones on Functional Programming and Haskell" (http:/ /

www. se-radio. net/ 2008/ 08/ episode-108-simon-peyton-jones-on-functional-programming-and-haskell/ ). Haskell (programming language) 9

Software Engineering Radio (Podcast).

• Leksah (http:/ / leksah. org/ ), a GTK-based Haskell IDE written in Haskell

• FP Haskell Center (https:/ / www. fpcomplete. com/ business/ haskell-center/ overview/ ), web-based Haskell IDE

designed by FP Complete (https:/ / www. fpcomplete. com/ ).

• Hamilton, Naomi (19 September 2008). "The A-Z of Programming Languages: Haskell" (http:/ / www.

computerworld. com. au/ article/ 261007/ a-z_programming_languages_haskell/ ). Computerworld. Applications

• Industrial Haskell Group (http:/ / industry. haskell. org/ index), collaborative development

• Commercial Users of Functional Programming (http:/ / cufp. galois. com/ ), specific projects

• Haskell in industry (http:/ / www. haskell. org/ haskellwiki/ Haskell_in_industry), a list of companies using Haskell commercially Article Sources and Contributors 10 Article Sources and Contributors

Haskell (programming language) Source: http://en.wikipedia.org/w/index.php?oldid=621410202 Contributors: 134.129.58.xxx, 144.132.75.xxx, 1exec1, 64.105.112.xxx, 66.68.81.xxx, 7, Aaron McDaid, Adam Blinkinsop, Adrian.benko, Ajfweb, Ajk, Akitstika, Alai, Algae, Alro, Alyxr, Ancheta Wis, Andy.melnikov, Angrytoast, Angus Lepper, Are you ready for IPv6?, Arjun G. Menon, Armin Rigo, Ary29, Ashley Y, AugPi, Autrijus, Axman6, B4hand, Bardo zero, Bartosz, BenRG, Benja22, Benjamin Barenblat, BiT, Billgordon1099, Bkell, Black Falcon, Blanford robinson, Bleakgadfly, Bobdc, Boemanneke, Brian0918, Brion VIBBER, CRGreathouse, Cadr, Calmer Waters, Canderra, CapitalSasha, Catamorphism, Cdamama, Chief sequoya, Chmarkine, Chris Roy, Chrisdone, Cic, Clconway, Cnilep, Coffee2theorems, Constantine, Conversion script, Cpiral, Crackerjack, Cryoboy, CryptoDerk, Ctxppc, Cybercobra, Daf, Danakil, Daniel5Ko, DanielPharos, Dcoetzee, Deflective, Delirium, Deveshprabhu, Dewi78, Dikke poes, Dominus, Donkeydonkeydonkeydonkey, Dons00, Dough34, Dougher, Doulos Christos, Drfloob, Ds13, Dysprosia, Eaglizard, Edward, Eklitzke, Erik Sandberg, Erxnmedia, Et764, Ettrig, Eupraxia, Evice, Exercisephys, Feis-Kontrol, Ferdaw, Flesler, Flohsuchtliebe, Forejtv, Frakturfreund, Fredrik, Fresheneesz, Fubar Obfusco, George Laparis Funk Studio, Graham87, Graue, Greenrd, Griba2010, Guy Harris, Gwern, HV, Hairy Dude, HenningThielemann, HenriqueFerreiro, Hexene, Hextad8, Hinrik, HogNobbles, HolyCookie, Hypergraph, I am One of Many, Igouy, Imz, Ingo60, InverseHypercube, Ithika, Ivan Štambuk, JLaTondre, Jaehee0113, Jarble, Jbolden1517, Jbwhitmore, Jeff G., Jericho4.0, Jerryobject, Jesin, Jfmantis, JimScott, Jmanson, John Millikin, JohnM, Jonasfagundes, Joncgoodwin, Jonesey95, Jonpro, Jrosdahl, Jrw1020, Jufert, Jérémy Cochoy, K.lee, Karada, Kazakka, Keenman76, Ketil, Khazar2, KnightRider, Kowey, Kuszi, Kwamikagami, LOL, Lacen, Larry Hastings, Leskhal, Levin, Linket, LittleDan, Lordmetroid, Lycurgus, M4dc4p, MH, Malleus Fatuorum, Mani1, MarSch, Marasmusine, Marianocecowski, Mark viking, Marudubshinki, Marx Gomes, Matt Crypto, MattTait, Maximus Rex, Mcc.ricardo, Mczack26, Meewam, Melnakeeb, Mgedmin, Michael Hardy, Mikesteele81, Mild Bill Hiccup, Mindmatrix, Minimiscience, Miym, Mkwc1m4, Mormegil, Mr. Lefty, MrOllie, Msg555, N4180, Nbarth, Nczempin, Nghtwlkr, Obscuranym, Oerjan, Okmo, OllieFury, Ortolan88, Osmodiar, Palpalpalpal, Pavel Vozenilek, Paxcoder, Peterhi, Pgan002, Phillyidol, Piet Delport, Pingswept, Polyparadigm, Polypus74, Poor Yorick, PureJadeKid, Qutezuce, Qwertyus, 'n'B, Racklever, Rajakhr, Ramsey Smith, RandomStringOfCharacters, Reinis, Renku, Richardcavell, Richardmstallman, RobinHood70, Rookkey, Ruakh, Ruud Koot, Rwl4, Salix alba, Sam Hocevar, SamB, SamuelTheGhost, Sandos, Sathiyamoorthysp, Sbahra, Scott5114, Scravy, Semifinalist, ShelfSkewed, Shoejar, Shreder, Shreevatsa, SimenH, Simeon, Simonmar, Slipstream, Sméagol136, Snaxe920, Snowflake Fairy, SoLando, Soumyasch, Squids and Chips, Staecker, StormWillLaugh, Strait, Strcat, Svick, Tagus, Taktoa, Tango303, Taw, Tbhotch, Tejoka, The Letter J, TheCoffee, Themfromspace, ThomasOwens, Timwi, TittoAssini, Tizio, Tobias Bergemann, TomLokhorst, Tomaxer, Tommy Pinball, Torc2, Traroth, TuukkaH, TwoOneTwo, Utcursch, Vanished user diofqproj3rtkd, VeryVerily, VictorAnyakin, Vindicator26, Voidxor, Walkie, Wanders, WatchAndObserve, Wernher, Whatgoodisaroad, Wickorama, WillNess, Willking1979, Winterborn, Wwwwolf, X-G, Xan2, Xillimiandus, Xodarap00, Zfr, Zyxoas, 497 anonymous edits Image Sources, Licenses and Contributors

File:Haskell-Logo.svg Source: http://en.wikipedia.org/w/index.php?title=File:Haskell-Logo.svg License: Public Domain Contributors: Thought up by Darrin Thompson and produced by Jeff Wheeler Image:Wikibooks-logo-en-noslogan.svg Source: http://en.wikipedia.org/w/index.php?title=File:Wikibooks-logo-en-noslogan.svg License: Creative Commons Attribution-Sharealike 3.0 Contributors: User:Bastique, User:Ramac et al.

License

Creative Commons Attribution-Share Alike 3.0 //creativecommons.org/licenses/by-sa/3.0/