Functional programming

From Wikipedia, the free encyclopedia
Jump to: navigation, search


In computer science, functional programming is a programming paradigm that treats computation as the evaluation of mathematical functions and avoids state and mutable data. It emphasizes the application of functions, in contrast to the imperative programming style, which emphasizes changes in state.[1] Functional programming has its roots in lambda calculus, a formal system developed in the 1930s to investigate function definition, function application, and recursion. Many functional programming languages can be viewed as elaborations on the lambda calculus.[1]

In practice, the difference between a mathematical function and the notion of a "function" used in imperative programming is that imperative functions can have side effects, changing the value of program state. Because of this they lack referential transparency, i.e. the same language expression can result in different values at different times depending on the state of the executing program. Conversely, in functional code, the output value of a function depends only on the arguments that are input to the function, so calling a function f twice with the same value for an argument x will produce the same result f(x) both times. Eliminating side effects can make it much easier to understand and predict the behavior of a program, which is one of the key motivations for the development of functional programming.[1]

Functional programming languages, especially purely functional ones, have largely been emphasized in academia rather than in commercial software development. However, prominent functional programming languages such as Scheme,[2][3][4][5] Erlang,[6][7][8] Objective Caml,[9][10] Haskell[11][12] and F# in Microsoft .NET[13][14] have been used in industrial and commercial applications by a wide variety of organizations. Functional programming is also supported in some domain-specific programming languages like R (statistics),[15][16] Mathematica (symbolic math),[17] J and K (financial analysis)[citation needed] and XQuery/XSLT (XML).[18][19] Widespread domain-specific declarative languages like SQL and Lex/Yacc use some elements of functional programming, especially in eschewing mutable values.[20] Spreadsheets can also be viewed as functional programming languages.[21]

Programming in a functional style can also be accomplished in languages that aren't specifically designed for functional programming. For example, the imperative Perl programming language has been the subject of a book describing how to apply functional programming concepts.[22] JavaScript, one of the most widely employed languages today, incorporates functional programming capabilities.[23]

Contents

[edit] History

Lambda calculus provides a theoretical framework for describing functions and their evaluation. Although it is a mathematical abstraction rather than a programming language, it forms the basis of almost all functional programming languages today. An equivalent theoretical formulation, combinatory logic, is commonly perceived as more abstract than lambda calculus and preceded it in invention. It is used in some esoteric languages including Unlambda. Combinatory logic and lambda calculus were both originally developed to achieve a clearer approach to the foundations of mathematics .[24]

An early functional flavored language was LISP, developed by John McCarthy while at MIT for the IBM 700/7000 series scientific computers in the late 1950s.[25] LISP introduced many features now found in functional languages, though LISP is technically a multi-paradigm language. Scheme and Dylan were later attempts to simplify and improve LISP.

Information Processing Language (IPL) is sometimes cited as the first computer-based functional programming language. It is an assembly-style language for manipulating lists of symbols. It does have a notion of "generator", which amounts to a function accepting a function as an argument, and, since it is an assembly-level language, code can be used as data, so IPL can be regarded as having higher-order functions. However, it relies heavily on mutating list structure and similar imperative features.

Kenneth E. Iverson developed APL in the early 1960s, described in his 1962 book A Programming Language (ISBN 9780471430148). APL was the primary influence on John Backus's FP. In the early 1990s, Iverson and Roger Hui created J. In the mid 1990s, Arthur Whitney, who had previously worked with Iverson, created K, which is used commercially in financial industries.

John Backus presented FP in his 1977 Turing Award lecture Can Programming Be Liberated From the von Neumann Style? A Functional Style and its Algebra of Programs. He defines functional programs as being built up in a hierarchical way by means of "combining forms" that allow an "algebra of programs"; in modern language, this means that functional programs follow the principle of compositionality. Backus's paper popularized research into functional programming, though it emphasized function-level programming rather than the lambda-calculus style which has come to be associated with functional programming.

In the 1970s ML was created by Robin Milner at the University of Edinburgh, and David Turner developed initially the language SASL at the University of St. Andrews and later the language Miranda at the University of Kent. ML eventually developed into several dialects, the most common of which are now Objective Caml and Standard ML. Also in the 1970s, the development of Scheme (a partly functional dialect of Lisp), as described in the influential Lambda Papers and the 1985 textbook Structure and Interpretation of Computer Programs, brought awareness of the power of functional programming to the wider programming-languages community.

In the 1980s, Per Martin-Löf developed intuitionistic type theory (also called Constructive type theory), which associated functional programs with constructive proofs of arbitrarily complex mathematical propositions expressed as dependent types. This led to powerful new approaches to interactive theorem proving and has influenced the development of many subsequent functional programming languages.

The Haskell language began with a consensus in 1987 to form an open standard for functional programming research; implementation releases have been ongoing since 1990.

[edit] Concepts

A number of concepts and paradigms are specific to functional programming, and generally foreign to imperative programming (including object oriented programming). However, programming languages are often hybrids of several programming paradigms so programmers using "mostly imperative" languages may have utilized some of these concepts.[26]

[edit] First-class and higher-order functions

Higher-order functions are functions that can either take other functions as arguments or return them as results (the differential operator d / dx that produces the derivative of a function f is an example of this in calculus).

Higher-order functions are closely related to first-class functions, in that higher-order functions and first-class functions both allow functions as arguments and results of other functions. The distinction between the two is subtle: "higher-order" describes a mathematical concept of functions that operate on other functions, while "first-class" is a computer science term that describes programming language entities that have no restriction on their use (thus first-class functions can appear anywhere in the program that other first-class entities like numbers can, including as arguments to other functions and as their return values).

Higher-order functions enable partial application or currying, a technique in which a function is applied to its arguments one at a time, with each application returning a new function that accepts the next argument. This allows one to succinctly express, for example, the successor function as the addition operator partially applied to the natural number one.

[edit] Pure functions

Purely functional functions (or expressions) have no memory or I/O side effects. This means that pure functions have several useful properties, many of which can be used to optimize the code:

While most compilers for imperative programming languages detect pure functions, and perform common-subexpression elimination for pure function calls, they cannot always do this for pre-compiled libraries, which generally do not expose this information, thus preventing optimizations that involve those external functions. Some compilers, such as gcc, add extra keywords for a programmer to explicitly mark external functions as pure, to enable such optimizations. Fortran 95 allows functions to be designated "pure".

[edit] Recursion

Iteration (looping) in functional languages is usually accomplished via recursion. Recursive functions invoke themselves, allowing an operation to be performed over and over. Recursion may require maintaining a stack, but tail recursion can be recognized and optimized by a compiler into the same code used to implement iteration in imperative languages. The Scheme language standard requires implementations to recognize and optimize tail recursion. Tail recursion optimization can be implemented by transforming the program into continuation passing style during compiling, among other approaches.

Common patterns of recursion can be factored out using higher order functions, with catamorphisms and anamorphisms (or "folds" and "unfolds") being the most obvious examples. Such higher order functions play a role analogous to built-in control structures such as loops in imperative languages.

Most general purpose functional programming languages allow unrestricted recursion and are Turing complete, which makes the halting problem undecidable, can cause unsoundness of equational reasoning, and generally requires the introduction of inconsistency into the logic expressed by the language's type system. Some special purpose languages such as Coq allow only well-founded recursion and are strongly normalizing (nonterminating computations can be expressed only with infinite streams of values called codata). As a consequence, these languages fail to be Turing complete and expressing certain functions in them is impossible, but they can still express a wide class of interesting computations while avoiding the problems introduced by unrestricted recursion. Functional programming limited to well-founded recursion with a few other constraints is called total functional programming. See Turner 2004 for more discussion.[27]

[edit] Strict versus non-strict evaluation

Functional languages can be categorized by whether they use strict (eager) or non-strict (lazy) evaluation, concepts that refer to how function arguments are processed when an expression is being evaluated. The technical difference is in the denotational semantics of expressions containing failing or divergent computations. Under strict evaluation, the evaluation of any term containing a failing subterm will itself fail. For example, the expression

 print length([2+1, 3*2, 1/0, 5-4])

will fail under strict evaluation because of the division by zero in the third element of the list. Under nonstrict evaluation, the length function will return the value 4, since evaluating it will not attempt to evaluate the terms making up the list. In brief, strict evaluation always fully evaluates function arguments before invoking the function. Non-strict evaluation does not evaluate function arguments unless their values are required to evaluate the function call itself.

The usual implementation strategy for non-strict evaluation in functional languages is graph reduction.[28] Non-strict evaluation is used by default in several pure functional languages, including Miranda, Clean and Haskell.

Hughes 1984 argues for non-strict evaluation as a mechanism for improving program modularity through separation of concerns, by easing independent implementation of producers and consumers of data streams.[29] Launchbury 1993 describes some difficulties that lazy evaluation introduces, particularly in analyzing a program's storage requirements, and proposes an operational semantics to aid in such analysis.[30] Harper 2009 proposes including both strict and nonstrict evaluation in the same language, using the language's type system to distinguish them.[31]

[edit] Type systems, polymorphism, algebraic datatypes and pattern matching

Especially since the development of Hindley–Milner type inference in the 1970s, functional programming languages have tended to use typed lambda calculus, as opposed to the untyped lambda calculus used in Lisp and its variants (such as Scheme). The use of algebraic datatypes and pattern matching makes manipulation of complex data structures more convenient and expressive; the presence of strong compile-time type checking makes programs more reliable, while type inference frees the programmer from the need to manually declare types to the compiler.

Some research-oriented functional languages such as Coq, Agda, Cayenne, and Epigram are based on intuitionistic type theory, which allows types to depend on terms. Such types are called dependent types. These type systems do not have decidable type inference and are difficult to understand and program with. But dependent types can express arbitrary propositions in predicate logic. Through the Curry–Howard isomorphism, then, well-typed programs in these languages become a means of writing formal mathematical proofs from which a compiler can generate certified code. While these languages are mainly of interest in academic research (including in formalized mathematics), they have begun to be used in engineering as well. Compcert is a compiler for a subset of the C programming language that is written in Coq and formally verified.[32]

A limited form of dependent types called generalized algebraic data types (GADT's) can be implemented in a way that provides some of the benefits of dependently-typed programming while avoiding most of its inconvenience.[33] GADT's are available in the Glasgow Haskell Compiler and in Scala (as "case classes"), and have been proposed as additions to other languages including Java and C#.[34]

[edit] Functional programming in non-functional languages

It is possible to use a functional style of programming in languages that are not traditionally considered functional languages.[35] Among imperative programming languages, the D programming language's solid support for functional programming stands out. For example, D has a pure modifier to enforce functional purity. Only Fortran 95 has something similar.[36]

First class functions have slowly been added to mainstream languages. For example, in early 1994, support for lambda, filter, map, and reduce was added to Python. Then during the development of Python 3000, Guido van Rossum called for the removal of these features. So far, only the reduce function has been removed.[37] First class functions were also introduced in PHP 5.3, Visual Basic 9, C# 3.0, and C++0x.

The Language Integrated Query (LINQ) feature, with its many incarnations, is an obvious and powerful use of functional programming in .NET.

In Java, anonymous classes can sometimes be used to simulate closures;[citation needed] however, anonymous classes are not always proper replacements to closures because they have more limited capabilities.

Many object-oriented design patterns are expressible in functional programming terms: for example, the strategy pattern simply dictates use of a higher-order function, and the visitor pattern roughly corresponds to a catamorphism, or fold.

The benefits of immutable data can be seen even in imperative programs, so programmers often strive to make some data immutable even in imperative programs.[38]

[edit] Comparison to imperative programming

Functional programming is very different from imperative programming. The most significant differences stem from the fact that functional programming avoids side effects, which are used in imperative programming to implement state and I/O. Pure functional programming disallows side effects completely. Disallowing side effects provides for referential transparency, which makes it easier to verify, optimize, and parallelize programs, and easier to write automated tools to perform those tasks.

Higher-order functions are rarely used in older imperative programming. Where a traditional imperative program might use a loop to traverse a list, a functional style would often use a higher-order function, map, that takes as arguments a function and a list, applies the function to each element of the list, and returns a list of the results.

[edit] Simulating state

There are tasks (for example, maintaining a bank account balance) that often seem most naturally implemented with state. Pure functional programming performs these tasks, and I/O tasks such as accepting user input and printing to the screen, in a different way.

The pure functional programming language Haskell implements them using monads, derived from category theory. Monads are powerful and offer a way to abstract certain types of computational patterns, including (but not limited to) modeling of computations with mutable state (and other side effects such as I/O) in an imperative manner without losing purity. While existing monads may be easy to apply in a program, given appropriate templates and examples, many students find them difficult to understand conceptually, e.g., when asked to define new monads (which is sometimes needed for certain types of libraries).[39]

Alternative methods such as Hoare logic and uniqueness have been developed to track side effects in programs. Some modern research languages use effect systems to make explicit the presence of side effects.

[edit] Efficiency issues

Functional programming languages are typically less efficient in their use of CPU and memory than imperative languages such as C and Pascal.[40] For purely functional languages, the worst-case slowdown is logarithmic in the number of memory cells used, because mutable memory can be represented by a purely functional data structure with logarithmic access time (such as a balanced tree).[citation needed] However, such slowdowns are not universal. For programs that perform intensive numerical computations, functional languages such as Objective Caml and Clean are only slightly slower than C.[41] For programs that handle large matrices and multidimensional databases, array functional languages (such as J and K) were designed with speed optimization.

Further, immutability of data can, in many cases, lead to execution efficiency in allowing the compiler to make assumptions that are unsafe in an imperative language, thus increasing opportunities for inline expansion.[citation needed]

Lazy evaluation may also speed up the program, even asymptotically, whereas it may slow it down at most by a constant factor (however, it may introduce memory leaks when used improperly). Launchbury 1993[30] discusses theoretical issues related to memory leaks from lazy evaluation, and O'Sullivan et al 2008[42] give some practical advice for analyzing and fixing them.

[edit] Coding styles

Imperative programs tend to emphasize the series of steps taken by a program in carrying out an action, while functional programs tend to emphasize the composition and arrangement of functions, often without specifying explicit steps. A simple example illustrates this with two solutions to the same programming goal (calculating Fibonacci numbers). The imperative example is in C++.

// Fibonacci numbers, imperative style
int fibonacci(int iterations)
{
 int first=0, second=1; // seed values
 
 for (int i=0; i<iterations; ++i)
 {
  int sum = first + second;
  first = second;
  second = sum;
 }
 
 return first;
}
 
std::cout << fibonacci(10) << "\n";

A functional version (in Haskell) has a different feel to it:

-- Fibonacci numbers, functional style
 
-- describe an infinite list based on the recurrence relation for Fibonacci numbers
fibRecurrence first second = first : fibRecurrence second (first + second)
 
-- describe fibonacci list as fibRecurrence with initial values 0 and 1
fibonacci = fibRecurrence 0 1
 
-- describe action to print the 10th element of the fibonacci list
main = print (fibonacci !! 10)

The imperative style describes the intermediate steps involved in calculating fibonacci(N), and places those steps inside a loop statement. In contrast, the functional implementation shown here states the mathematical recurrence relation that defines the entire Fibonacci sequence, then selects an element from the sequence (see also recursion). This example relies on Haskell's lazy evaluation to create an "infinite" list of which only as much as needed (the first 10 elements in this case) will actually be computed. That computation happens when the runtime system carries out the action described by "main".

[edit] Use in industry

Functional programming has long been popular in academia, but with few industrial applications.[43]:page 11 However, recently several prominent functional programming languages have been used in commercial or industrial systems. For example, the Erlang programming language, which was developed by the Swedish company Ericsson in the late 1980s, was originally used to implement fault-tolerant telecommunications systems.[7] It has since become popular for building a range of applications at companies such as T-Mobile, Nortel, and Facebook.[6][8][44] The Scheme dialect of Lisp was used as the basis for several applications on early Apple Macintosh computers,[2][3] and has more recently been applied to problems such as training simulation software[4] and telescope control.[5] Objective Caml, which was introduced in the mid 1990s, has seen commercial use in areas such as financial analysis,[9] driver verification, industrial robot programming, and static analysis of embedded software.[10] Haskell, although initially intended as a research language,[12] has also been applied by a range of companies, in areas such as aerospace systems, hardware design, and web programming.[11][12]

Other functional programming languages that have seen use in industry include Scala,[45] F#,[13][14] Lisp,[46] Standard ML,[47][48] and Clojure.[49]

[edit] See also

[edit] References

  1. ^ a b c Hudak, Paul (September 1989). "Conception, evolution, and application of functional programming languages" (PDF). ACM Computing Surveys 21 (3): 359–411. doi:10.1145/72551.72554. http://www.cs.berkeley.edu/~jcondit/pl-prelim/hudak89functional.pdf. 
  2. ^ a b Clinger, Will (1987). "MultiTasking and MacScheme". MacTech 3 (12). http://www.mactech.com/articles/mactech/Vol.03/03.12/Multitasking/index.html. Retrieved 2008-08-28. 
  3. ^ a b Hartheimer, Anne (1987). "Programming a Text Editor in MacScheme+Toolsmith". MacTech 3 (1). http://www.mactech.com/articles/mactech/Vol.03/03.1/SchemeWindows/index.html. Retrieved 2008-08-28. 
  4. ^ a b Kidd, Eric. "Terrorism Response Training in Scheme". CUFP 2007. http://cufp.galois.com/2007/abstracts.html#EricKidd. Retrieved 2009-08-26. 
  5. ^ a b Cleis, Richard. "Scheme in Space". CUFP 2006. http://cufp.galois.com/2006/abstracts.html#RichardCleis. Retrieved 2009-08-26. 
  6. ^ a b "Who uses Erlang for product development?". Frequently asked questions about Erlang. http://www.erlang.org/faq/faq.html#AEN50. Retrieved 2007-08-05. 
  7. ^ a b Armstrong, Joe (June 2007). "A history of Erlang". Third ACM SIGPLAN Conference on History of Programming Languages. San Diego, California. http://doi.acm.org/10.1145/1238844.1238850. Retrieved 2009-08-29. 
  8. ^ a b Larson, Jim (March 2009). "Erlang for concurrent programming". Communications of the ACM 52 (3): 48. doi:10.1145/1467247.1467263. http://doi.acm.org/10.1145/1467247.1467263. Retrieved 2009-08-29. 
  9. ^ a b Minsky, Yaron; Weeks, Stephen (July 2008). "Caml Trading - experiences with functional programming on Wall Street". Journal of Functional Programming (Cambridge University Press) 18 (4): 553–564. doi:10.1017/S095679680800676X. http://journals.cambridge.org/action/displayAbstract?aid=1899164. Retrieved 2008-08-27. 
  10. ^ a b Leroy, Xavier. "Some uses of Caml in Industry". CUFP 2007. http://cufp.galois.com/2007/slides/XavierLeroy.pdf. Retrieved 2009-08-26. 
  11. ^ a b "Haskell in industry - Haskell Wiki". http://www.haskell.org/haskellwiki/Haskell_in_industry. Retrieved 2009-08-26. "Haskell has a diverse range of use commercially, from aerospace and defense, to finance, to web startups, hardware design firms and lawnmower manufacturers." 
  12. ^ a b c Hudak, Paul (June 2007). "A history of Haskell: being lazy with class". Third ACM SIGPLAN Conference on History of Programming Languages. San Diego, California. http://doi.acm.org/10.1145/1238844.1238856. Retrieved 2009-08-29. 
  13. ^ a b Mansell, Howard (2008). "Quantitative Finance in F#". CUFP 2008. http://cufp.galois.com/2008/abstracts.html#MansellHoward. Retrieved 2009-08-29. 
  14. ^ a b Peake, Alex (2009). "The First Substantial Line of Business Application in F#". CUFP 2009. http://cufp.galois.com/2009/abstracts.html#AlexPeakeAdamGranicz. Retrieved 2009-08-29. 
  15. ^ The useR! 2006 conference schedule includes papers on the commercial use of R
  16. ^ Chambers, John M. (1998). Programming with Data: A Guide to the S Language. Springer Verlag. pp. 67–70. ISBN 978-0387985039. 
  17. ^ Department of Applied Math, University of Colorado. "Functional vs. Procedural Programming Language". http://amath.colorado.edu/computing/mmm/funcproc.html. Retrieved 2006-08-28. 
  18. ^ Dimitre Novatchev. "The Functional Programming Language XSLT - A proof through examples". TopXML. http://www.topxml.com/xsl/articles/fp/. Retrieved May 27, 2006. 
  19. ^ David Mertz. "XML Programming Paradigms (part four): Functional Programming approached to XML processing". IBM developerWorks. http://gnosis.cx/publish/programming/xml_models_fp.html. Retrieved May 27, 2006. 
  20. ^ Donald D. Chamberlin and Raymond F. Boyce (1974). "SEQUEL: A structured English query language". Proceedings of the 1974 ACM SIGFIDET: 249–264. . In this paper, one of the first formal presentations of the concepts of SQL (and before the name was later abbreviated), Chamberlin and Boyce emphasize that SQL was developed "Without resorting to the concepts of bound variables and quantifiers".
  21. ^ Simon Peyton Jones, Margaret Burnett, Alan Blackwell (March 2003). "Improving the world's most popular functional language: user-defined functions in Excel". http://research.microsoft.com/~simonpj/papers/excel/index.htm. 
  22. ^ Dominus, Mark J. (2005). Higher-Order Perl. Morgan Kaufmann. ISBN 1558607013. 
  23. ^ Crockford, Douglas (2001). "JavaScript: The World's Most Misunderstood Programming Language". http://www.crockford.com/javascript/javascript.html.  "JavaScript's C-like syntax, including curly braces and the clunky for statement, makes it appear to be an ordinary procedural language. This is misleading because JavaScript has more in common with functional languages like Lisp or Scheme than with C or Java. It has arrays instead of lists and objects instead of property lists. Functions are first class. It has closures. You get lambdas without having to balance all those parens." (For discussion on JavaScript as a functional programming language, see Talk:JavaScript#Function-level vs. functional programming).
  24. ^ Curry, Haskell Brooks; Robert Feys and Craig, William (1958). Combinatory Logic. Volume I. Amsterdam: North-Holland Publishing Company. 
  25. ^ McCarthy, John (June 1978). "History of Lisp". In ACM SIGPLAN History of Programming Languages Conference: 173–196. doi:10.1145/800025.808387. http://citeseer.ist.psu.edu/mccarthy78history.html.  "The implementation of LISP began in Fall 1958."
  26. ^ Dick Pountain. "Functional Programming Comes of Age". BYTE.com (August 1994). http://www.byte.com/art/9408/sec11/art1.htm. Retrieved August 31, 2006. 
  27. ^ Turner, D.A. (2004-07-28). "Total Functional Programming". Journal of Universal Computer Science 10 (7): 751–768. doi:10.3217/jucs-010-07-0751. http://www.jucs.org/jucs_10_7/total_functional_programming 
  28. ^ The Implementation of Functional Programming Languages Simon Peyton Jones, published by Prentice Hall, 1987.
  29. ^ John Hughes. "Why Functional Programming Matters". http://www.cse.chalmers.se/~rjmh/Papers/whyfp.html. 
  30. ^ a b John Launchbury (1993). "A Natural Semantics for Lazy Evaluation". http://citeseerx.ist.psu.edu/viewdoc/summary?doi=10.1.1.35.2016. 
  31. ^ Robert W. Harper (2009). Practical Foundations for Programming Languages. http://www.cs.cmu.edu/~rwh/plbook/book.pdf.  (in preparation), section XIV.
  32. ^ "The Compcert verified compiler". http://compcert.inria.fr/doc/index.html. 
  33. ^ Simon Peyton Jones, Dimitrios Vytiniotis, Stephanie Weirich, and Geoffrey Washburn. "Simple unification-based type inference for GADTs". ICFP 2006. pp. 50–61. http://research.microsoft.com/en-us/um/people/simonpj/papers/gadt/. 
  34. ^ Andrew Kennedy and Claudio Russo (October 2005). "Generalized Algebraic Data Types and Object-Oriented Programming". OOPSLA. San Diego, California. http://research.microsoft.com/~akenn/generics/gadtoop.pdf.  source of citation
  35. ^ Hartel, Pieter; Henk Muller and Hugh Glaser (March 2004). "The Functional C experience" (PDF). The Journal of Functional Programming 14 (2): 129–135. doi:10.1017/S0956796803004817. http://www.ub.utwente.nl/webdocs/ctit/1/00000084.pdf. ; David Mertz. "Functional programming in Python, Part 3". IBM developerWorks. http://www-128.ibm.com/developerworks/linux/library/l-prog3.html. Retrieved 2006-09-17. (Part 1, Part 2)
  36. ^ http://www.digitalmars.com/d/2.0/function.html#pure-functions
  37. ^ http://www.artima.com/weblogs/viewpost.jsp?thread=98196
  38. ^ See Item 15 in the book Effective Java, Second Edition by Joshua Bloch
  39. ^ Newbern, J.. "All About Monads: A comprehensive guide to the theory and practice of monadic programming in Haskell". http://www.haskell.org/all_about_monads/html/. Retrieved 2008-02-14. , "The sheer number of different monad tutorials on the internet is a good indication of the difficulty many people have understanding the concept. This is due to the abstract nature of monads and to the fact that they are used in several different capacities, which can confuse the picture of exactly what a monad is and what it is good for."
  40. ^ Lawrence C. Paulson, ML for the Working Programmer. Cambridge UP, 1996. ISBN 052156543X.
  41. ^ Boxplot Summary | Computer Language Benchmarks Game
  42. ^ http://book.realworldhaskell.org/read/profiling-and-optimization.html#x_eK1
  43. ^ Odersky, Martin; Spoon, Lex; Venners, Bill (December 13, 2010). Programming in Scala: A Comprehensive Step-by-step Guide (2nd ed.). Artima Inc. pp. 883/852. ISBN 9780981531649. http://www.artima.com/shop/programming_in_scala_2ed. 
  44. ^ Piro, Christopher (2009). "Functional Programming at Facebook". CUFP 2009. http://cufp.galois.com/2009/abstracts.html#ChristopherPiroEugeneLetuchy. Retrieved 2009-08-29. 
  45. ^ Momtahan, Lee (2009). "Scala at EDF Trading: Implementing a Domain-Specific Language for Derivative Pricing with Scala". CUFP 2009. http://cufp.galois.com/2009/abstracts.html#LeeMomtahan. Retrieved 2009-08-29. 
  46. ^ Graham, Paul (2003). "Beating the Averages". http://www.paulgraham.com/avg.html. Retrieved 2009-08-29. 
  47. ^ Sims, Steve (2006). "Building a Startup with Standard ML". CUFP 2006. http://cufp.galois.com/2006/slides/SteveSims.pdf. Retrieved 2009-08-29. 
  48. ^ Laurikari, Ville (2007). "Functional Programming in Communications Security.". CUFP 2007. http://cufp.galois.com/2007/abstracts.html#VilleLaurikari. Retrieved 2009-08-29. 
  49. ^ Lorimer, R. J.. "Live Production Clojure Application Announced". http://www.infoq.com/news/2009/01/clojure_production. 

[edit] Further reading

[edit] External links

Personal tools
Namespaces
Variants
Actions
Navigation
Interaction
Toolbox
Print/export
Languages