R (programming language)

For other uses, see R (disambiguation).
R
Paradigm multi-paradigm: array, object-oriented, imperative, functional, procedural, reflective
Designed by Ross Ihaka and Robert Gentleman
Developer R Development Core Team
First appeared 1993[1]
3.2.0 / April 16, 2015
Through Subversion
Dynamic
OS Cross-platform
License GNU General Public License
Website www.r-project.org

R is a programming language and software environment for statistical computing and graphics. The R language is widely used among statisticians and data miners for developing statistical software[2][3] and data analysis.[3] Polls, surveys of data miners, and studies of scholarly literature databases show that R's popularity has increased substantially in recent years.[4][5][6][7]

R is an implementation of the S programming language combined with lexical scoping semantics inspired by Scheme.[8] S was created by John Chambers while at Bell Labs. There are some important differences, but much of the code written for S runs unaltered.

R was created by Ross Ihaka and Robert Gentleman[9] at the University of Auckland, New Zealand, and is currently developed by the R Development Core Team, of which Chambers is a member. R is named partly after the first names of the first two R authors and partly as a play on the name of S.[10]

R is a GNU project.[11][12] The source code for the R software environment is written primarily in C, Fortran, and R.[13] R is freely available under the GNU General Public License, and pre-compiled binary versions are provided for various operating systems. R uses a command line interface; there are also several graphical front-ends for it.

Statistical features

R and its libraries implement a wide variety of statistical and graphical techniques, including linear and nonlinear modeling, classical statistical tests, time-series analysis, classification, clustering, and others. R is easily extensible through functions and extensions, and the R community is noted for its active contributions in terms of packages. Many of R's standard functions are written in R itself, which makes it easy for users to follow the algorithmic choices made. For computationally intensive tasks, C, C++, and Fortran code can be linked and called at run time. Advanced users can write C, C++,[14] Java,[15] .NET [16][17][18] or Python code to manipulate R objects directly.

R is highly extensible through the use of user-submitted packages for specific functions or specific areas of study. Due to its S heritage, R has stronger object-oriented programming facilities than most statistical computing languages. Extending R is also eased by its lexical scoping rules.[19]

Another strength of R is static graphics, which can produce publication-quality graphs, including mathematical symbols. Dynamic and interactive graphics are available through additional packages.[20]

R has its own LaTeX-like documentation format, which is used to supply comprehensive documentation, both on-line in a number of formats and in hard copy.

Programming features

R is an interpreted language; users typically access it through a command-line interpreter. If a user types 2+2 at the R command prompt and presses enter, the computer replies with 4, as shown below:

> 2+2
[1] 4

Like other similar languages such as APL and MATLAB, R supports matrix arithmetic. R's data structures include vectors, matrices, arrays, data frames (similar to tables in a relational database) and lists.[21] R's extensible object system includes objects for (among others): regression models, time-series and geo-spatial coordinates. The scalar data type was never a data structure of R.[22] A scalar is represented as a vector with length one in R.

R supports procedural programming with functions and, for some functions, object-oriented programming with generic functions. A generic function acts differently depending on the type of arguments passed to it. In other words, the generic function dispatches the function (method) specific to that type of object. For example, R has a generic print function that can print almost every type of object in R with a simple print(objectname) syntax.

Although used mainly by statisticians and other practitioners requiring an environment for statistical computation and software development, R can also operate as a general matrix calculation toolbox – with performance benchmarks comparable to GNU Octave or MATLAB.[23] Arrays are stored in column-major order.[24]

Examples

Example 1

The following examples illustrate the basic syntax of the language and use of the command-line interface.

In R, the widely preferred[25][26][27][28] assignment operator is an arrow made from two characters <-, although = can be used instead.[29]

> x <- c(1,2,3,4,5,6)   # Create ordered collection (vector)
> y <- x^2              # Square the elements of x
> print(y)              # print (vector) y
[1]  1  4  9 16 25 36
> mean(y)               # Calculate average (arithmetic mean) of (vector) y; result is scalar
[1] 15.16667
> var(y)                # Calculate sample variance
[1] 178.9667
> lm_1 <- lm(y ~ x)     # Fit a linear regression model "y = f(x)" or "y = B0 + (B1 * x)"
                        # store the results as lm_1
> print(lm_1)           # Print the model from the (linear model object) lm_1
 
Call:
lm(formula = y ~ x)
 
Coefficients:
(Intercept)            x
     -9.333        7.000
 
> summary(lm_1)          # Compute and print statistics for the fit
                         # of the (linear model object) lm_1
 
Call:
lm(formula = y ~ x)
 
Residuals:
1       2       3       4       5       6
3.3333 -0.6667 -2.6667 -2.6667 -0.6667  3.3333
 
Coefficients:
            Estimate Std. Error t value Pr(>|t|)
(Intercept)  -9.3333     2.8441  -3.282 0.030453 *
x             7.0000     0.7303   9.585 0.000662 ***
---
Signif. codes:  0***0.001**0.01*0.05 ‘.’ 0.1 ‘ ’ 1
 
Residual standard error: 3.055 on 4 degrees of freedom
Multiple R-squared: 0.9583,	Adjusted R-squared: 0.9478
F-statistic: 91.88 on 1 and 4 DF,  p-value: 0.000662
 
> par(mfrow=c(2, 2))     # Request 2x2 plot layout
> plot(lm_1)             # Diagnostic plot of regression model

Example 2

Short R code calculating Mandelbrot set through the first 20 iterations of equation z = z2 + c plotted for different complex constants c. This example demonstrates:

library(caTools)         # external package providing write.gif function
jet.colors <- colorRampPalette(c("#00007F", "blue", "#007FFF", "cyan", "#7FFF7F",
                                 "yellow", "#FF7F00", "red", "#7F0000"))
m <- 1000                # define size
C <- complex( real=rep(seq(-1.8,0.6, length.out=m), each=m ),
              imag=rep(seq(-1.2,1.2, length.out=m), m ) )
C <- matrix(C,m,m)       # reshape as square matrix of complex numbers
Z <- 0                   # initialize Z to zero
X <- array(0, c(m,m,20)) # initialize output 3D array
for (k in 1:20) {        # loop with 20 iterations
  Z <- Z^2+C             # the central difference equation
  X[,,k] <- exp(-abs(Z)) # capture results
}
write.gif(X, "Mandelbrot.gif", col=jet.colors, delay=800)

Example 3

The ease of function creation by the user is one of the strengths of using R. Objects remain local to the function, which can be returned as any data type.[30] Below is an example of the structure of a function:

functionname <- function(arg1, arg2, ... ){ # declare name of function and function arguments
statements                                  # declare statements
return(object)                              # declare object data type
}
 
sumofsquares <- function(x){ # a user-created function 
  return(sum(x^2))           # return the sum of squares of the elements of vector x
}
> sumofsquares(1:3)
[1] 14

Packages

The capabilities of R are extended through user-created packages, which allow specialized statistical techniques, graphical devices (ggplot2), import/export capabilities, reporting tools (knitr, Sweave), etc. These packages are developed primarily in R, and sometimes in Java, C, C++ and Fortran. A core set of packages is included with the installation of R, with more than 5,800 additional packages and 120,000 functions (as of June 2014) available at the Comprehensive R Archive Network (CRAN), Bioconductor, Omegahat, GitHub and other repositories. [6][31]

The "Task Views" page (subject list) on the CRAN website[32] lists a wide range of tasks (in fields such as Finance, Genetics, High Performance Computing, Machine Learning, Medical Imaging, Social Sciences and Spatial Statistics) to which R has been applied and for which packages are available. R has also been identified by the FDA as suitable for interpreting data from clinical research.[33]

Other R package resources include Crantastic, a community site for rating and reviewing all CRAN packages, and R-Forge, a central platform for the collaborative development of R packages, R-related software, and projects. R-Forge also hosts many unpublished beta packages, and development versions of CRAN packages.

The Bioconductor project provides R packages for the analysis of genomic data, such as Affymetrix and cDNA microarray object-oriented data-handling and analysis tools, and has started to provide tools for analysis of data from next-generation high-throughput sequencing methods.

Milestones

The full list of changes is maintained in the "R News" file at CRAN.[34] Some highlights are listed below for several major releases.

Release Date Description
0.16 This is the last alpha version developed primarily by Ihaka and Gentleman. Much of the basic functionality from the "White Book" (see S history) was implemented. The mailing lists commenced on April 1, 1997.
0.49 1997-04-23 This is the oldest available source release, and compiles on a limited number of Unix-like platforms. CRAN is started on this date, with 3 mirrors that initially hosted 12 packages. Alpha versions of R for Microsoft Windows and Mac OS are made available shortly after this version.
0.60 1997-12-05 R becomes an official part of the GNU Project. The code is hosted and maintained on CVS.
1.0 2000-02-29 Considered by its developers stable enough for production use.[35]
1.4 2001-12-19 S4 methods are introduced and the first version for Mac OS X is made available soon after.
2.0 2004-10-04 Introduced lazy loading, which enables fast loading of data with minimal expense of system memory.
2.1 2005-04-18 Support for UTF-8 encoding, and the beginnings of internationalization and localization for different languages.
2.11 2010-04-22 Support for Windows 64 bit systems.
2.13 2011-04-14 Adding a new compiler function that allows speeding up functions by converting them to byte-code.
2.14 2011-10-31 Added mandatory namespaces for packages. Added a new parallel package.
2.15 2012-03-30 New load balancing functions. Improved serialization speed for long vectors.
3.0 2013-04-03 Support for numeric index values 231 and larger on 64 bit systems.

Interfaces

Graphical user interfaces

There is a special issue of the Journal of Statistical Software that discusses GUIs for R.[38]

Editors and IDEs

Text editors and Integrated development environments (IDEs) with some support for R include: ConTEXT, Eclipse (StatET),[39] Emacs (Emacs Speaks Statistics), LyX (modules for knitr and Sweave), Vim, jEdit,[40] Kate,[41] Revolution R Enterprise DevelopR (part of Revolution R Enterprise),[42] RStudio,[43] Sublime Text, TextMate, WinEdt (R Package RWinEdt), Tinn-R and Notepad++.[44]

Scripting languages

R functionality has been made accessible from several scripting languages such as Python,[45] Perl,[46] Ruby,[47] F#[48] and Julia.[49][50][51] R, using PL/R extension, can be used alongside, or instead of, the PL/pgSQL scripting language in the PostgreSQL and Greenplum database management system. The MonetDB column-oriented DBMS allows wrapping R code in a SQL function definition, similarly to PL/R.[52] Scripting in R itself is possible via littler.[53]

useR! conferences

"useR!" is the name given to the official annual gathering of R users. The first such event was useR! 2004 in May 2004, Vienna, Austria.[54] After skipping 2005, the useR conference has been held annually, usually alternating between locations in Europe and North America.[55] Subsequent conferences were:

Comparison with SAS, SPSS and Stata

The general consensus is that R compares well with other popular statistical packages, such as SAS, SPSS and Stata.[57] In January 2009, the New York Times ran an article about R gaining acceptance among data analysts and presenting a potential threat for the market share occupied by commercial statistical packages, such as SAS.[58][59]

Commercial support for R

In 2007, Revolution Analytics was founded to provide commercial support for Revolution R, its distribution of R, which also includes components developed by the company. Major additional components include: ParallelR, the R Productivity Environment IDE, RevoScaleR (for big data analysis), RevoDeployR, web services framework, and the ability for reading and writing data in the SAS file format.[60] In 2015, Microsoft Corporation completed the acquisition of Revolution Analytics.

For organizations in highly regulated sectors requiring a validated version of R, Mango Solutions has developed the ValidR product which fully complies with the Food and Drug Administration guidelines for Software verification and validation.

In October 2011, Oracle announced the Big Data Appliance, which integrates R, Apache Hadoop, Oracle Linux, and a NoSQL database with the Exadata hardware.[61][62][63] Oracle R Enterprise[64] is now one of two components of the "Oracle Advanced Analytics Option"[65] (the other component is Oracle Data Mining).

IBM offers support for in-Hadoop execution of R,[66] and provides a programming model for massively parallel in-database analytics in R.[67]

Other major commercial software systems supporting connections to or integration with R include: JMP,[68] Mathematica,[69] MATLAB,[70] Spotfire,[71] SPSS,[72] STATISTICA,[73] Platform Symphony,[74] SAS,[75] and Tableau.[76]

Tibco offers a runtime version R as a part of Spotfire.[77]

See also

References

  1. Ihaka, Ross (1998). R : Past and Future History (PDF) (Technical report). Statistics Department, The University of Auckland, Auckland, New Zealand.
  2. Fox, John and Andersen, Robert (January 2005). "Using the R Statistical Computing Environment to Teach Social Statistics Courses" (PDF). Department of Sociology, McMaster University. Retrieved 2006-08-03.
  3. 3.0 3.1 Vance, Ashlee (2009-01-06). "Data Analysts Captivated by R's Power". New York Times. Retrieved 2009-04-28. R is also the name of a popular programming language used by a growing number of data analysts inside corporations and academia. It is becoming their lingua franca...
  4. David Smith (2012); R Tops Data Mining Software Poll, Java Developers Journal, May 31, 2012.
  5. Karl Rexer, Heather Allen, & Paul Gearan (2011); 2011 Data Miner Survey Summary, presented at Predictive Analytics World, Oct. 2011.
  6. 6.0 6.1 Robert A. Muenchen (2012). "The Popularity of Data Analysis Software".
  7. Tippmann, Sylvia (29 December 2014). "Programming tools: Adventures with R". Nature (517): 109–110. doi:10.1038/517109a.
  8. Morandat, Frances; Hill, Brandon (2012). "Evaluating the design of the R language: objects and functions for data analysis" (PDF). ECOOP'12 Proceedings of the 26th European conference on Object-Oriented Programming.
  9. Gentleman, Robert (9 December 2006). "Individual Expertise profile of Robert Gentleman". Archived from the original on 23 July 2011. Retrieved 2009-07-20.
  10. Kurt Hornik. The R FAQ: Why is R named R?. ISBN 3-900051-08-9. Retrieved 2008-01-29.
  11. "GNU R". Free Software Foundation (FSF) Free Software Directory. 19 July 2010. Retrieved 13 November 2012.
  12. R Project (n.d.). "What is R?". Retrieved 2009-04-28.
  13. "Wrathematics" (27 August 2011). "How Much of R Is Written in R". librestats. Retrieved 2011-12-01.
  14. Eddelbuettel, Dirk; Francois, Romain (2011). "Rcpp: Seamless R and C++ Integration". Journal of Statistical Software 40 (8).
  15. Temple Lang, Duncan (6 November 2010). "Calling R from Java" (PDF). Nuiton. Retrieved 18 September 2013.
  16. "Making GUIs using C# and R with the help of R.NET".
  17. "R.NET homepage".
  18. Haynold, Oliver M. (April 2011). An Rserve Client Implementation for CLI/.NET (PDF). R/Finance 2011. Chicago, IL, USA.
  19. Jackman, Simon (Spring 2003). "R For the Political Methodologist" (PDF). The Political Methodologist (Political Methodology Section, American Political Science Association) 11 (1): 20–22. Archived from the original (PDF) on 2006-07-21. Retrieved 2006-08-03.
  20. "CRAN Task View: Graphic Displays & Dynamic Graphics & Graphic Devices & Visualization". The Comprehensive R Archive Network. Retrieved 2011-08-01.
  21. Dalgaard, Peter (2002). Introductory Statistics with R. New York, Berlin, Heidelberg: Springer-Verlag. pp. 10–18, 34. ISBN 0387954759.
  22. Ihaka, Ross; Gentlman, Robert (Sep 1996). "R: A Language for Data Analysis and Graphics" (PDF). Journal of Computational and Graphical Statistics (American Statistical Association) 5 (3): 299–314. doi:10.2307/1390807. Retrieved 12 May 2014.
  23. "Speed comparison of various number crunching packages (version 2)". SciView. 2003. Retrieved 2007-11-03.
  24. An Introduction to R, Section 5.1: Arrays (retrieved March 2010).
  25. R Development Core Team. "Writing R Extensions". Retrieved 14 June 2012. [...] we recommend the consistent use of the preferred assignment operator ‘<-’ (rather than ‘=’) for assignment.
  26. "Google's R Style Guide". Retrieved 14 June 2012.
  27. Wickham, Hadley. "Style Guide". Retrieved 14 June 2012.
  28. Bengtsson, Henrik (January 2009). "R Coding Conventions (RCC) – a draft". Retrieved 14 June 2012.
  29. R Development Core Team. "Assignments with the = Operator". Retrieved 14 June 2012.
  30. Kabacoff, Robert (2012). "Quick-R: User-Defined Functions". http://www.statmethods.net''. Retrieved 28 October 2013.
  31. "Search all R packages and function manuals | Rdocumentation". Rdocumentation. 2014-06-16. Retrieved 2014-06-16.
  32. "CRAN Task Views". cran.r-project.org. Retrieved 2014-07-03.
  33. http://blog.revolutionanalytics.com/2012/06/fda-r-ok.html
  34. "R News". cran.r-project.org. Retrieved 2014-07-03.
  35. Peter Dalgaard. "R-1.0.0 is released". Retrieved 2009-06-06.
  36. "Deducer Manual". www.deducer.org. Retrieved 2014-07-03.
  37. Hornik, Kurt. "RWeka: An R Interface to Weka. R package version 0.3–17". CRAN (by Kurt Hornik, Achim Zeileis, Torsten Hothorn and Christian Buchta). Retrieved 2009.
  38. Valero-Mora, Pedro. "Graphical User Interfaces for R". Journal of Statistical Software (by Pedro M. Valero-Mora, and Ruben Ledesma). Retrieved 2014.
  39. Stephan Wahlbrink. "StatET: Eclipse based IDE for R". Retrieved 2009-09-26.
  40. Jose Claudio Faria. "R syntax". Retrieved 2007-11-03.
  41. "Syntax Highlighting". Kate Development Team. Archived from the original on 2008-07-07. Retrieved 2008-07-09.
  42. "R PEnterprise DevelopR". Revolution Analytics. Retrieved 2014-04-17.
  43. J. J. Alaire and colleagues. "RStudio: new IDE for R". Retrieved 2011-08-04.
  44. "NppToR: R in Notepad++". sourceforge.net. 8 May 2013. Retrieved 18 September 2013.
  45. Gautier, Laurent (21 October 2012). "A simple and efficient access to R from Python". Retrieved 18 September 2013.
  46. Statistics::R page on CPAN
  47. RSRuby GitHub project
  48. F# R Type Provider
  49. https://github.com/lgautier/Rif.jl
  50. https://github.com/randy3k/RCall.jl
  51. http://rtalks.net/RCall.jl/
  52. "Embedded R in MonetDB". 13 November 2014.
  53. Eddelbuettel, Dirk (14 July 2011). "littler: a scripting front-end for GNU R". Retrieved 18 September 2013.
  54. "useR! 2004 - The R User Conference". 27 May 2004. Retrieved 18 September 2013.
  55. R Project (9 August 2013). "R-related Conferences". Retrieved 18 September 2013.
  56. "The useR! Conference 2015". Retrieved 17 November 2014.
  57. Burns, Patrick (27 February 2007). "Comparison of R to SAS, Stata and SPSS" (PDF). Retrieved 18 September 2013.
  58. Vance, Ashlee (2009-01-07). "Data Analysts Are Mesmerized by the Power of Program R: [Business/Financial Desk]". The New York Times.
  59. Vance, Ashlee (2009-01-08). "R You Ready for R?". The New York Times.
  60. Timothy Prickett Morgan (2011); 'Red Hat for stats' goes toe-to-toe with SAS, The Register, February 7, 2011.
  61. Doug Henschen (2012); Oracle Makes Big Data Appliance Move With Cloudera, InformationWeek, January 10, 2012.
  62. Jaikumar Vijayan (2012); Oracle's Big Data Appliance brings focus to bundled approach, ComputerWorld, January 11, 2012.
  63. Timothy Prickett Morgan (2011); Oracle rolls its own NoSQL and Hadoop Oracle rolls its own NoSQL and Hadoop, The Register, October 3, 2011.
  64. Chris Kanaracus (2012); Oracle Stakes Claim in R With Advanced Analytics Launch, PC World, February 8, 2012.
  65. Doug Henschen (2012); Oracle Stakes Claim in R With Advanced Analytics Launch, InformationWeek, April 4, 2012.
  66. "What's New in IBM InfoSphere BigInsights v2.1.2". IBM. Retrieved 8 May 2014.
  67. "IBM PureData System for Analytics" (PDF). IBM. Retrieved 8 May 2014.
  68. JMP (2013). "Analytical Application Development with JMP". SAS Institute Inc. Retrieved 19 September 2013.
  69. "New in Mathematica 9: Built-in Integration with R". Wolfram. 2013. Retrieved 19 September 2013.
  70. Henson, Robert (23 July 2013). "MATLAB R Link". The MathWorks, Inc. Retrieved 19 September 2013.
  71. Gibson, Brendan (8 March 2010). "Spotfire Integration with S+ and R". Spotfire. Retrieved 19 September 2013.
  72. Clark, Mike (October 2007). "Introduction to SPSS 16". University of North Texas Research and Statistical Support. Retrieved 19 September 2013.
  73. StatSoft (n.d.). "Using the R Language Platform". StatSoft Inc. Retrieved 20 September 2013.
  74. Parmar, Onkar (31 March 2011). ""R" integrated with Symphony". Platform Computing Corporation. Retrieved 20 September 2013.
  75. SAS (11 November 2010). "Calling Functions in the R Language (SAS/IML)". Retrieved 20 September 2013.
  76. Tableau (17 December 2013). "R is Here!". Retrieved 29 January 2015.
  77. Tibco. "Unleash the agility of R for the Enterprise". Retrieved 15 May 2014.
  78. Ostrouchov, G., Chen, W.-C., Schmidt, D., Patel, P. (2012). "Programming with Big Data in R".

External links