mata programming i - ncer programming i christopher f baum boston college and diw berlin ncer,...

73
Mata Programming I Christopher F Baum Boston College and DIW Berlin NCER, Queensland University of Technology, August 2015 Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 1 / 73

Upload: ngothien

Post on 24-Jun-2018

219 views

Category:

Documents


1 download

TRANSCRIPT

Mata Programming I

Christopher F Baum

Boston College and DIW Berlin

NCER, Queensland University of Technology, August 2015

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 1 / 73

Introduction to Mata

Introduction to Mata

We now turn to a second way in which you may use Stataprogramming techniques: by taking advantage of Mata.

Since the release of version 9, Stata has contained a full-fledgedmatrix programming language, Mata, with most of the capabilities ofMATLAB, R, Ox or Gauss. You can use Mata interactively, or you candevelop Mata functions to be called from Stata.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 2 / 73

Introduction to Mata

Mata functions may be particularly useful where the algorithm you wishto implement already exists in matrix-language form. It is quitestraightforward to translate the logic of other matrix languages intoMata: much more so than converting it into Stata’s matrix language.

A large library of mathematical and matrix functions is provided inMata, including optimization routines, equation solvers,decompositions, eigensystem routines and probability densityfunctions. Mata functions can access Stata’s variables and can workwith virtual matrices (views) of a subset of the data in memory. Mataalso supports file input/output.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 3 / 73

Introduction to Mata Circumventing the limits of Stata’s matrix language

Circumventing the limits of Stata’s matrixlanguage

Mata circumvents the limitations of Stata’s traditional matrixcommands. Stata matrices must obey the maximum matsize: 800 rowsor columns in Stata/IC. Thus, code relying on Stata matrices is fragile.Stata’s matrix language does contain commands such as matrixaccum which can build a cross-product matrix from variables of anylength, but for many applications the limitation of matsize is binding.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 4 / 73

Introduction to Mata Circumventing the limits of Stata’s matrix language

Even in Stata/SE or Stata/MP, with the possibility of a much largermatsize, Stata’s matrices have another drawback. Large matricesconsume large amounts of memory, and an operation that convertsStata variables into a matrix or vice versa will require at least twice thememory needed for that set of variables.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 5 / 73

Introduction to Mata Circumventing the limits of Stata’s matrix language

The Mata programming language can sidestep these memory issuesby creating matrices with contents that refer directly to Statavariables—no matter how many variables and observations may bereferenced. These virtual matrices, or views, have minimal overhead interms of memory consumption, regardless of their size.

Unlike some matrix programming languages, Mata matrices cancontain either numeric elements or string elements (but not both). Thisimplies that you can use Mata productively in a list processingenvironment as well as in a numeric context.

For example, a prominent list-handling command, Bill Gould’sadoupdate, is written almost entirely in Mata. viewsourceadoupdate.ado reveals that only 22 lines of code (out of 1,193 lines)are in the ado-file language. The rest is Mata.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 6 / 73

Introduction to Mata Speed advantages

Speed advantages

Last but by no means least, ado-file code written in the matrixlanguage with explicit subscript references is slow. Even if such aroutine avoids explicit subscripting, its performance may beunacceptable. For instance, David Roodman’s xtabond2 can run inversion 7 or 8 without Mata, or in version 9 onwards with Mata. Thenon-Mata version is an order of magnitude slower when applied toreasonably sized estimation problems.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 7 / 73

Introduction to Mata Speed advantages

In contrast, Mata code is automatically compiled into bytecode, likeJava, and can be stored in object form or included in-line in a Statado-file or ado-file. Mata code runs many times faster than theinterpreted ado-file language, providing significant speedenhancements to many computationally burdensome tasks.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 8 / 73

Introduction to Mata An efficient division of labor

An efficient division of labor

Mata interfaced with Stata provides for an efficient division of labor. Ina pure matrix programming language, you must handle all of thehousekeeping details involved with data organization, transformationand selection.

In contrast, if you write an ado-file that calls one or more Matafunctions, the ado-file will handle those housekeeping details with theconvenience features of the syntax and marksample statements ofthe regular ado-file language. When the housekeeping chores arecompleted, the resulting variables can be passed on to Mata forprocessing. Results produced by Mata may then be accessed by Stataand formatted with commands like estimates display.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 9 / 73

Introduction to Mata An efficient division of labor

Mata can access Stata variables, local and global macros, scalars andmatrices, and modify the contents of those objects as needed. IfMata’s view matrices are used, alterations to the matrix within Matamodifies the Stata variables that comprise the view.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 10 / 73

Mata language elements Operators

Language syntax: Operators

To understand Mata syntax, you must be familiar with its operators.The comma is the column-join operator, so

: r1 = ( 1, 2, 3 )

creates a three-element row vector. We could also construct thisvector using the row range operator (..) as

: r1 = (1..3)

The backslash is the row-join operator, so

c1 = ( 4 5 6 )

creates a three-element column vector. We could also construct thisvector using the column range operator (::) as

: c1 = (4::6)

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 11 / 73

Mata language elements Operators

We may combine the column-join and row-join operators:

m1 = ( 1, 2, 3 \ 4, 5, 6 \ 7, 8, 9 )

creates a 3× 3 matrix.

The matrix could also be constructed with the row range operator:

m1 = ( 1..3 \ 4..6 \ 7..9 )

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 12 / 73

Mata language elements Operators

The prime (or apostrophe) is the transpose operator, so

r2 = ( 1 \ 2 \ 3 )´

is a row vector.

The comma and backslash operators can be used on vectors andmatrices as well as scalars, so

r3 = r1, c1´

will produce a six-element row vector, and

c2 = r1´ \ c1

creates a six-element column vector.

Matrix elements can be real or complex, so 2 - 3 i refers to acomplex number 2− 3×

√−1.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 13 / 73

Mata language elements Operators

The standard algebraic operators plus (+), minus (−) and multiply (∗)work on scalars or matrices:

g = r1´ + c1h = r1 * c1j = c1 * r1

In this example h will be the 1× 1 dot product of vectors r1, c1 whilej is their 3× 3 outer product.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 14 / 73

Mata language elements Element-wise calculations and the colon operator

Element-wise calculations and the colon operator

One of Mata’s most powerful features is the colon operator. Mata’salgebraic operators, including the forward slash (/) for division, alsocan be used in element-by-element computations when preceded by acolon:

k = r1´ :* c1

will produce a three-element column vector, with elements as theproduct of the respective elements: ki = r1i c1i , i = 1, . . . ,3.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 15 / 73

Mata language elements Element-wise calculations and the colon operator

Mata’s colon operator is very powerful, in that it will work onnonconformable objects, or what Mata considers c-conformableobjects. These include cases where two objects have the samenumber of rows (or the same number of columns), but one is a matrixand the other is a vector or scalar. For example:

r4 = ( 1, 2, 3 )m2 = ( 1, 2, 3 \ 4, 5, 6 \ 7, 8, 9 )m3 = r4 :+ m2m4 = m1 :/ r1

adds the row vector r4 to each row of the 3× 3 matrix m2 to form m3,and divides the elements of each row of matrix m1 by thecorresponding elements of row vector r1 to form m4.

Mata’s scalar functions will also operate on elements of matrices:

d = sqrt(c)

will take the element-by-element square root, returning missing valueswhere appropriate.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 16 / 73

Mata language elements Logical operators

Logical operators

As in Stata, the equality logical operators are a == b and a != b.They will work whether or not a and b are conformable or even of thesame type: a could be a vector and b a matrix. They return 0 or 1.

Unary not ! returns 1 if a scalar equals zero, 0 otherwise, and may beapplied in a vector or matrix context, returning a vector or matrixof 0, 1.

The remaining logical comparison operators (>, >=, <, <=) canonly be used on objects that are conformable and of the same generaltype (numeric or string). They return 0 or 1.

As in Stata, the logical and (&) and or (|) operators may only beapplied to real scalars.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 17 / 73

Mata language elements Subscripting

Subscripting

Subscripts in Mata utilize square brackets, and may appear on eitherthe left or right of an algebraic expression. There are two forms: listsubscripts and range subscripts.

With list subscripts, you can reference a single element of an array asx[i,j]. But i or j can also be a vector: x[i,jvec], where jvec=(4,6,8) references row i and those three columns of x. Missingvalues (dots) reference all rows or columns, so x[i,.] or x[i,]extracts row i, and x[.,.] or x[,] references the whole matrix.

You can also use range operators to avoid listing each consecutiveelement: x[(1..4),.] and x[(1::4),.] both reference the firstfour rows of x. The double-dot range creates a row vector, while thedouble-colon range creates a column vector. Either may be used in asubscript expression. Ranges can also decrement, so x[(3::1),.]returns those rows in reverse order.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 18 / 73

Mata language elements Subscripting

Range subscripts use the notation [| |]. They can reference singleelements of matrices, but are not useful for that. More useful is theability to say x[| i,j \ m,n |], which creates a submatrix startingat x[i,j] and ending at x[m,n]. The arguments may be specified asmissing (dot), so x[| 1,2 \4,. |] specifies the submatrix ending inthe last column and x[| 2,2 \ .,.|] discards the first row andcolumn of x. They also may be used on the left hand side of anexpression, or to extract a submatrix:v = invsym(xx)[| 2,2 \ .,.|] discards the first row andcolumn of the inverse of xx.

You need not use range subscripts, as even the specification of asubmatrix can be handled with list subscripts and range operators, butthey are more convenient for submatrix extraction and faster in termsof execution time.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 19 / 73

Mata language elements Loop constructs

Loop constructs

Several constructs support loops in Mata. As in any matrix language,explicit loops should not be used where matrix operations can be used.The most common loop construct resembles that of the C language:

for (starting_value; ending_value; incr ) {statements

}

where the three elements define the starting value, ending value orbound and increment or decrement of the loop.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 20 / 73

Mata language elements Loop constructs

For instance:

for (i=1; i<=10; i++) {printf("i=%g \n", i)

}

prints the integers 1 to 10 on separate lines.

If a single statement is to be executed, it may appear on the forstatement.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 21 / 73

Mata language elements Loop constructs

You can also use do, which follows the syntax

do {statements

} while (exp)

which will execute the statements at least once.

Alternatively, you can use while:

while(exp) {statements

}

which could be used, for example, to loop until convergence.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 22 / 73

Mata language elements Mata conditional statements

Mata conditional statements

To execute certain statements conditionally, you use if, else:

if (exp) statement

if (exp) statement1else statement2

if (exp1) {statements1

}else if (exp2) {statements2

}else {statements3

}

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 23 / 73

Mata language elements Mata conditional statements

You can also use the conditional a ? b : c, where a is a real scalar.If a evaluates to true (nonzero), the result is set to b, otherwise c. Forinstance,

if (k == 0) dof = n-1else dof = n-k

can be written as

dof = ( k==0 ? n-1 : n-k )

The increment (++) and decrement (−−) operators can be used tomanage counter variables. They may precede or follow the variable.

The operator A # B produces the Kronecker or direct product of A andB.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 24 / 73

Mata ‘one-liners’

Mata ‘one-liners’

You can invoke Mata with a single Stata command, in either interactivemode or in a do-file or ado-file, with

. mata: one or more Mata commands, separated by semicolons

This context is most useful when you want to operate on one or moreitems in the Stata workspace, and return the results to the Stataworkspace. In doing so, if you create items in Mata’s workspace, theywill remain there until you give the command mata: mata clear.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 25 / 73

Mata ‘one-liners’

As a first example of the utility of this feature, consider A frequentcomment on Statalist. After an estimation command, Stata returnse(b) and e(V), the vector of coefficients’ point estimates and theirestimated covariance matrix, but does not return the t-statistics,p-values, confidence intervals, etc. that appear in the estimationoutput.

Mata can conveniently be used in this context. As an example, thefollowing code produces a table of coefficients, standard errors andt-values, using the extended macro function colnames to label thecolumns.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 26 / 73

Mata ‘one-liners’

. sysuse auto(1978 Automobile Data)

. regress price displacement weight foreign

Source SS df MS Number of obs = 74F( 3, 70) = 25.09

Model 329060336 3 109686779 Prob > F = 0.0000Residual 306005060 70 4371500.85 R-squared = 0.5182

Adj R-squared = 0.4975Total 635065396 73 8699525.97 Root MSE = 2090.8

price Coef. Std. Err. t P>|t| [95% Conf. Interval]

displacement 10.25387 6.137677 1.67 0.099 -1.987346 22.49508weight 2.328626 .7110004 3.28 0.002 .91058 3.746671foreign 3899.63 678.7615 5.75 0.000 2545.883 5253.377_cons -4048.343 1432.739 -2.83 0.006 -6905.852 -1190.834

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 27 / 73

Mata ‘one-liners’

. mata: st_matrix("bst",(st_matrix("e(b)") \ ///> sqrt(diagonal(st_matrix("e(V)"))´) \ ///> st_matrix("e(b)") :/ sqrt(diagonal(st_matrix("e(V)"))´)))

. matrix rownames bst = coeff stderr tstat

. matrix colnames bst = `: colnames e(b)´

. matrix list bst, format(%9.3f)

bst[3,4]displacement weight foreign _cons

coeff 10.254 2.329 3899.630 -4048.343stderr 6.138 0.711 678.761 1432.739tstat 1.671 3.275 5.745 -2.826

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 28 / 73

Mata ‘one-liners’

We may also take advantage of an undocumented feature of theregress command. Like all estimation (e-class) commands, it returnsresults in the e-returns. However, it also leaves behind a matrix,r(table), in the r-returns, accessible from return list. The firstfour rows of that matrix contain the estimated coefficients, standarderrors, t-statistics and p-values, respectively. We construct a new Statamatrix with a on-line call to Mata.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 29 / 73

Mata ‘one-liners’

. qui regress price displacement weight foreign

. mata: st_matrix("bstp", (st_matrix("r(table)")[(1..4),.]))

. matrix rownames bstp = coeff stderr tstat pvalue

. matrix colnames bstp = `: colnames e(b)´

. matrix list bstp, format(%9.3f)

bstp[4,4]displacement weight foreign _cons

coeff 10.254 2.329 3899.630 -4048.343stderr 6.138 0.711 678.761 1432.739tstat 1.671 3.275 5.745 -2.826pvalue 0.099 0.002 0.000 0.006

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 30 / 73

Mata ‘one-liners’

As a second example of a single-line Mata command, say that wehave cross-sectional data on nominal expenditures for 20 hospitals forselected years. For comparability across years, we want to create real(inflation-adjusted) measures. We have a price deflator for health careexpenditures, benchmarked at 100 in 2000, for each of these years.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 31 / 73

Mata ‘one-liners’

. list exp*, sep(0)

exp1994 exp1997 exp2001 exp2003 exp2005

1. 8.181849 8.803116 9.842918 5.858101 9.1902422. 9.23138 9.526636 7.415146 10.4168 8.2520123. 7.222272 6.583617 8.960152 6.53302 7.1807074. 9.448738 7.972495 8.766521 5.63679 6.6818455. 9.649901 6.769967 7.712472 9.241309 9.1222196. 6.856859 9.078987 7.766836 8.037149 8.251637. 9.278242 7.264326 8.981012 8.23664 6.6255898. 6.841638 7.565176 6.927269 8.598692 10.753269. 8.666395 7.525422 9.326843 8.239338 9.08489

10. 7.644565 7.221323 8.915318 8.676471 9.27755111. 8.184382 9.080503 8.066475 8.371346 8.33917112. 8.145008 9.001379 7.540075 7.305631 8.67714613. 9.644306 9.578444 8.541085 7.431371 9.07283214. 7.397709 10.08259 7.648673 7.524302 7.14360815. 7.040617 8.258828 7.966858 10.83057 7.40267116. 7.861959 7.856915 8.849826 7.502389 8.29093117. 7.902071 9.412766 7.739596 7.646762 8.84054618. 9.576131 7.904189 9.243579 8.642523 9.42810819. 6.432031 8.056722 8.43427 8.755649 8.94544720. 8.228907 9.583271 8.321041 6.481467 10.23306

. loc defl 87.6 97.4 103.5 110.1 117.4

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 32 / 73

Mata ‘one-liners’

In this example, we use a Mata view, labeled as X , to transform theStata variables in place. The local macro containing each year’s pricedeflator, defl, is transformed into a row vector D and scaled by 100.The last Mata command uses the colon operator (:/) to divide eachhospital’s nominal expenditures by the appropriate year’s deflator.

. mata: expend = st_view(X=., ., "exp1994 exp1997 exp2001 exp2003 exp2005"); ///> D = 0.01 :* strtoreal(tokens(st_local("defl"))); X[.,.] = X :/ D

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 33 / 73

Mata ‘one-liners’

We rename the Stata variables to reflect their new definitions:

. rename exp* rexp*. list rexp*, sep(0)

rexp1994 rexp1997 rexp2001 rexp2003 rexp2005

1. 9.34001 9.038107 9.510066 5.32071 7.8281452. 10.5381 9.780941 7.164392 9.461221 7.0289713. 8.244602 6.75936 8.657151 5.933715 6.1164464. 10.78623 8.185313 8.470069 5.1197 5.691525. 11.01587 6.950685 7.451664 8.393559 7.7702046. 7.827465 9.321342 7.504189 7.299863 7.0286467. 10.5916 7.458241 8.677306 7.481053 5.6436028. 7.810089 7.767121 6.693013 7.809893 9.1595089. 9.893146 7.726305 9.011443 7.483504 7.738408

10. 8.726672 7.414089 8.613833 7.880537 7.90251411. 9.342902 9.322898 7.793695 7.603402 7.10321212. 9.297955 9.241662 7.285097 6.635451 7.39109513. 11.00948 9.834132 8.252256 6.749656 7.72813714. 8.444874 10.35174 7.390022 6.834062 6.08484515. 8.037233 8.47929 7.697447 9.837034 6.30551216. 8.974838 8.066648 8.550556 6.814159 7.06212117. 9.02063 9.66403 7.477871 6.945288 7.53027718. 10.93166 8.115184 8.930994 7.849703 8.03075719. 7.342501 8.271789 8.149053 7.952451 7.61963120. 9.393729 9.839087 8.039653 5.886891 8.716402

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 34 / 73

Mata ‘one-liners’

A note of caution: although Mata code may be interspersed in a do-fileor ado-file, you may not place that code inside a forvalues orforeach loop unless it appears in a Mata single-line command orcalls a Mata function.

The following code will not work, as the Mata end statement causes anexit from the forvalues loop:

. forv i=1/5 {2. mata3. j = log(strtoreal(st_local("i"))); j4. endBreak

r(1);

end of do-file

Breakr(1);

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 35 / 73

Mata ‘one-liners’

If the same Mata commands are given as a single-line command, theywork properly:

. forv i=1/5 {2. mata: j = log(strtoreal(st_local("i"))); j3. }0.69314718061.0986122891.3862943611.609437912

If the Mata code was too lengthy to be placed in a single-linecommand, a Mata function could be defined and called as a single-linecommand within the loop.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 36 / 73

Design of a Mata function

Design of a Mata function

Now let us turn from ‘one-liners’ to the development of Mata functions,which can carry out arbitrarily complex computations as part of anado-file program.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 37 / 73

Design of a Mata function Element and organization types

Element and organization types

To call Mata code within an ado-file, you must define a Mata function,which is the equivalent of a Stata ado-file program. Unlike a Stataprogram, a Mata function has an explicit return type and a set ofarguments. A function may be of return type void if it does not need a�return statement. Otherwise, a function is typed in terms of twocharacteristics: its element type and their organization type. Forinstance,

real scalar calcsum(real vector x)

declares that the Mata calcsum function will return a real scalar. It hasone argument: an object x, which must be a real vector.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 38 / 73

Design of a Mata function Element and organization types

Element types may be real, complex, numeric, string,

pointer, transmorphic. A transmorphic object may be filled withany of the other types. A numeric object may be either real orcomplex. Unlike Stata, Mata supports complex arithmetic.

There are five organization types: matrix, vector, rowvector,

colvector, scalar. Strictly speaking the latter four are just specialcases of matrix. In Stata’s matrix language, all matrices have twosubscripts, neither of which can be zero. In Mata, all but the scalar

may have zero rows and/or columns. Three- (and higher-) dimensionmatrices can be implemented by the use of the pointer element type,not to be discussed further in this talk.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 39 / 73

Design of a Mata function Arguments, variables and returns

Arguments, variables and returns

A Mata function definition includes an argument list, which may beblank. The names of arguments are required and arguments arepositional. The order of arguments in the calling sequence must matchthat in the Mata function. If the argument list includes a vertical bar( | ), following arguments are optional.

Within a function, variables may be explicitly declared (and must bedeclared if matastrict mode is used). It is good programmingpractice to do so, as then variables cannot be inadvertently misused.Variables within a Mata function have local scope, and are notaccessible outside the function unless declared as external.

A Mata function may only return one item (which could, however, be amulti-element structure. If the function is to return multiple objects,Mata’s st_... functions should be used, as we will demonstrate.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 40 / 73

Mata’s interface functions Data access

Data access

If you’re using Mata functions in conjunction with Stata’s ado-filelanguage, one of the most important set of tools are Mata’s interfacefunctions: the st_ functions.

The first category of these functions provide access to data. Stata andMata have separate workspaces, and these functions allow you toaccess and update Stata’s workspace from inside Mata. For instance,st_nobs(), st_nvar() provide the same information as describe inStata, which returns r(N), r(k) in its return list. Mata functionsst_data(), st_view() allow you to access any rectangular subsetof Stata’s numeric variables, and st_sdata(), st_sview() do thesame for string variables.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 41 / 73

Mata’s interface functions st_view( )

st_view( )

One of the most useful Mata concepts is the view matrix, which as itsname implies is a view of some of Stata’s variables for specifiedobservations, created by a call to st_view(). Unlike most Matafunctions, st_view() does not return a result. It requires threearguments: the name of the view matrix to be created, theobservations (rows) that it is to contain, and the variables (columns).An optional fourth argument can specify touse: an indicator variablespecifying whether each observation is to be included.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 42 / 73

Mata’s interface functions st_view( )

The statement

st_view(x, ., varname, touse)

states that the previously-declared Mata vector x should be createdfrom all the observations (specified by the missing second argument)of varname, as modified by the contents of touse. In the Stata code,the marksample command imposes any if or in conditions bysetting the indicator variable touse.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 43 / 73

Mata’s interface functions st_view( )

The Mata statements

real matrix Zst_view(Z=., ., .)

will create a view matrix of all observations and all variables in Stata’smemory. The missing value (dot) specification indicates that allobservations and all variables are included. The syntax Z=. specifiesthat the object is to be created as a void matrix, and then populatedwith contents. As Z is defined as a real matrix, columns associatedwith any string variables will contain all missing values. st_sview()creates a view matrix of string variables.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 44 / 73

Mata’s interface functions st_view( )

If we want to specify a subset of variables, we must define a stringvector containing their names. For instance, if varlist is a string

scalar argument containing Stata variable names,

void foo( string scalar varlist )...

st_view(X=., ., tokens(varlist), touse)

creates matrix X containing those variables.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 45 / 73

Mata’s interface functions st_data( )

st_data( )

An alternative to view matrices is provided by st_data() andst_sdata(), which copy data from Stata variables into Matamatrices, vectors or scalars:

X = st_data(., .)

places a copy of all variables in Stata’s memory into matrix X.However, this operation requires at least twice as much memory asconsumed by the Stata variables, as Mata does not have Stata’s fullset of 1-, 2-, and 4-byte data types. Thus, although a view matrix canreference any variables currently in Stata’s memory with minimaloverhead, a matrix created by st_data() will consume considerablememory, just as a matrix in Stata’s own matrix language does.

Similar to st_view(), an optional third argument to st_data() canmark out desired observations.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 46 / 73

Using views to update Stata variables

Using views to update Stata variables

A very important aspect of views: using a view matrix rather thancopying data into Mata with st_data() implies that any changes madeto the view matrix will be reflected in Stata’s variables’ contents. This isa very powerful feature that allows us to easily return informationgenerated in Mata back to Stata’s variables, or create new content inexisting variables.

This may or may not be what you want to do. Keep in mind that anyalterations to a view matrix will change Stata’s variables, just as areplace command in Stata would. If you want to ensure that Matacomputations cannot alter Stata’s variables, avoid the use of views, oruse them with caution. You may use st_addvar() to explicitly createnew Stata variables, and st_store() to populate their contents.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 47 / 73

Using views to update Stata variables

A Mata function may take one (or several) existing variables and createa transformed variable (or set of variables). To do that with views,create the new variable(s), pass the name(s) as a newvarlist and setup a view matrix.

st_view(Z=., ., tokens(newvarlist), touse)

Then compute the new content as:

Z[., .] = result of computation

It is very important to use the [., .] construct as shown. Z = willcause a new matrix to be created and break the link to the view.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 48 / 73

Using views to update Stata variables

You may also create new variables and fill in their contents bycombining these techniques:

st_view(Z, ., st_addvar(("int", "float"), ("idnr", "bp")))Z[., .] = result of computation

In this example, we create two new Stata variables, of data type intand float, respectively, named idnr and bp.

You may also use subviews and, for panel data, panelsubviews. Wewill not discuss those here.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 49 / 73

Access to locals, globals, scalars and matrices

Access to locals, globals, scalars and matrices

You may also want to transfer other objects between the Stata andMata environments. Although local and global macros, scalars andStata matrices could be passed in the calling sequence to a Matafunction, the function can only return one item. In order to return anumber of objects to Stata—for instance, a list of macros, scalars andmatrices as is commonly found in the return list from an r-classprogram—we use the appropriate st_functions.

For local macros,

contents = st_local("macname")st_local("macname", newvalue )

The first command will return the contents of Stata local macromacname. The second command will create and populate that localmacro if it does not exist, or replace the contents if it does, withnewvalue.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 50 / 73

Access to locals, globals, scalars and matrices

Along the same lines, functions st_global, st_numscalar andst_strscalar may be used to retrieve the contents, create, orreplace the contents of global macros, numeric scalars and stringscalars, respectively. Function st_matrix performs these operationson Stata matrices.

All of these functions can be used to obtain the contents, create orreplace the results in r( ) or e( ): Stata’s return list andereturn list. Functions st_rclear and st_eclear can be usedto delete all entries in those lists. Read-only access to the c( )objects is also available.

The stata( ) function can execute a Stata command from withinMata.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 51 / 73

Macros in Mata functions

Macros in Mata functions

Stata’s local macros can be used to advantage in Mata functions, butwith a very important caveat. Macro evaluation takes place in Mata asit does in Stata commands with one significant difference.

When a Mata function is first defined, it is compiled into bytecode. Inthat compilation process, the values of any local (or global) macros aresubstituted for their names, that is, the macros are evaluated.However, once the function is compiled, those values are hardcodedinto the Mata function, just as any other definition would be.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 52 / 73

Macros in Mata functions

For example,

. type gbpval.mataversion 13.1mata:real scalar function gbpval(real scalar dollar){

real scalar usdpergbpusdpergbp = 2.08return( dollar / usdpergbp )

}end

would define a function which converts U.S. dollars to British poundssterling at a fixed exchange rate of U.S. $2.08 per pound sterling.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 53 / 73

Macros in Mata functions

Rather than placing that constant in the Mata function, we could type

. type gbpval2.mata

local usdpergbp 2.08mata:real scalar function gbpval2(real scalar dollar){

return( dollar / `usdpergbp´ )}end

We can invoke the function with

. mata: gbpval2(100) 48.07692308

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 54 / 73

Macros in Mata functions

What happens if we change the local macro?

. local usdpergbp 2.06 . mata: gbpval2(100) 48.07692308

Why does Mata ignore the new value of the macro? Unlike Statacommands, which would use the current value of the local macro, themacro’s value has been compiled into the gbpval2 function, and canonly be changed by recompiling that function. This is an importantdistinction, and explains why you cannot use local macros as counterswithin Mata functions as you can in ado-files or do-files.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 55 / 73

Macros in Mata functions

The role of local macros in Mata functions is like that of a header file or.h file in the C language. Local macros in Mata functions serve todefine objects, either numeric values or string values, that should beconstants within the function.

One useful task that they can serve is the replacement of a lengthystring—such as the URL of a filename on the internet—with a symbol.The value of that symbol is the URL. If the filename changes, you needonly update the local macro’s definition rather than change it in severalplaces in the Mata function.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 56 / 73

Macros in Mata functions

Local macros may also be used to good advantage to defineabbreviations for commonly used words or phrases. For instance, wemay use the abbreviation RS to avoid repeatedly typing real scalar:

. type gbpval3.mataversion 13.1local RS real scalarmata:`RS´ function gbpval3(`RS´ dollar){

`RS´ usdpergbpusdpergbp = 2.08return( dollar / usdpergbp )

}end

In summary, local macros can be used in Mata functions, but you mustremember that they are expanded only when the function is firstcompiled by Mata.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 57 / 73

A simple Mata function

A simple Mata function

We now give a simple illustration of how a Mata subroutine could beused to perform the computations in a do-file. Following our earlierexamples, the ado-file mysum3 takes a variable name and acceptsoptional if or in qualifiers. Its purpose is to compute the sum,average, and standard deviation of the variable.

Rather than computing statistics in the ado-file, we call the Matam_mysum function with two arguments: the variable name and the‘touse’ indicator variable.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 58 / 73

A simple Mata function

program define mysum3, rclassversion 14syntax varlist(max=1) [if] [in]return local varname `varlist´marksample tousemata: m_mysum("`varlist´", "`touse´")return scalar N = Nreturn scalar sum = sumreturn scalar mean = mureturn scalar sd = sigma

end

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 59 / 73

A simple Mata function

In the same ado-file, we include the Mata routine, prefaced by themata: directive. This directive on its own line puts Stata into Matamode until the end statement is encountered. The Mata routinecreates a Mata view of the variable. A view of the variable is merely areference to its contents, which need not be copied to Mata’sworkspace. Note that the contents have been filtered for missingvalues and those observations specified in the optional if or inqualifiers.

That view, labeled as X in the Mata code, is then a matrix (or, in thiscase, a column vector) which may be used in various Mata functionsthat compute the vector’s descriptive statistics. The computed resultsare returned to the ado-file with the st_numscalar( ) function calls.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 60 / 73

A simple Mata function

This function is considered a void function as it does not return aresult when called; rather, it has side effects of defining several scalarsin the Stata environment.

version 14mata:void m_mysum(string scalar vname,

string scalar touse)

st_view(X, ., vname, touse)mu = mean(X)st_numscalar("N", rows(X))st_numscalar("mu", mu)st_numscalar("sum" ,rows(X) * mu)st_numscalar("sigma", sqrt(variance(X)))

end

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 61 / 73

A simple Mata function A multi-variable function

A multi-variable function

Now let’s consider a slightly more ambitious task. Say that you wouldlike to center a number of variables on their means, creating a new setof transformed variables. Surprisingly, official Stata does not havesuch a command, although Ben Jann’s center command does so.Accordingly, we write Stata command centervars, employing a Matafunction to do the work.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 62 / 73

A simple Mata function A multi-variable function

The Stata code:

program centervars, rclassversion 14syntax varlist(numeric) [if] [in], ///

GENerate(string) [DOUBLE]marksample tousequietly count if `touse´if `r(N)´ == 0 error 2000foreach v of local varlist {

confirm new var `generate´`v´}foreach v of local varlist {

qui generate `double´ `generate´`v´ = .local newvars "`newvars´ `generate´`v´"

}mata: centerv( "`varlist´", "`newvars´", "`touse´" )

end

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 63 / 73

A simple Mata function A multi-variable function

The file centervars.ado contains a Stata command, centervars,that takes a list of numeric variables and a mandatory generate()option. The contents of that option are used to create new variablenames, which then are tested for validity with confirm new var, andif valid generated as missing. The list of those new variables isassembled in local macro newvars.

The original varlist and the list of newvars is passed to the Matafunction centerv() along with touse, the temporary variable thatmarks out the desired observations.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 64 / 73

A simple Mata function A multi-variable function

The Mata code:

version 14mata:void centerv( string scalar varlist, ///

string scalar newvarlist,string scalar touse)

{real matrix X, Zst_view(X=., ., tokens(varlist), touse)st_view(Z=., ., tokens(newvarlist), touse)Z[ ., . ] = X :- mean(X)

}end

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 65 / 73

A simple Mata function A multi-variable function

In the Mata function, tokens( ) extracts the variable names fromvarlist and places them in a string rowvector, the form needed byst_view . The st_view function then creates a view matrix, X,containing those variables and the observations selected by if and inconditions.

The view matrix allows us to both access the variables’ contents, asstored in Mata matrix X, but also to modify those contents. The colonoperator (:-) subtracts the vector of column means of X from the data.Using the Z[,]= notation, the Stata variables themselves aremodified. When the Mata function returns to Stata, the contents anddescriptive statistics of the variables in varlist will be altered.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 66 / 73

A simple Mata function A multi-variable function

One of the advantages of Mata use is evident here: we need not loopover the variables in order to demean them, as the operation can bewritten in terms of matrices, and the computation done very efficientlyeven if there are many variables and observations.

Also note that performing these calculations in Mata incurs minimaloverhead, as the matrix Z is merely a view on the Stata variables innewvars. One caveat: Mata’s mean() function performs listwisedeletion, like Stata’s correlate command.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 67 / 73

A simple Mata function Passing a function to Mata

Passing a function to Mata

Let’s consider adding a feature to centervars: the ability totransform variables before centering with one of several mathematicalfunctions (abs(), exp(), log(), sqrt()). The user will provide thename of the desired transformation, which defaults to the identitytransformation, and Stata will pass the name of the function (actually, apointer to the function) to Mata. We call this new commandcentertrans.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 68 / 73

A simple Mata function Passing a function to Mata

The Stata code:program centertrans, rclass

version 14syntax varlist(numeric) [if] [in], ///

GENerate(string) [TRans(string)] [DOUBLE]marksample tousequietly count if ‘touse’if ‘r(N)’ == 0 error 2000local trops abs exp log sqrtif "‘trans’" == "" {local trfn "mf_iden"

}else {local ntr : list posof "‘trans’" in tropsif !‘ntr’ {display as err "Error: trans must be chosen from ‘trops’"error 198}

local trfn : "mf_‘trans’"}foreach v of local varlist {

confirm new var ‘generate’‘trans’‘v’}foreach v of local varlist {

qui generate ‘double’ ‘generate’‘trans’‘v’ = .local newvars "‘newvars’ ‘generate’‘trans’‘v’"

}mata: centertrans( "‘varlist’", "‘newvars’", &‘trfn’(), "‘touse’" )

end

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 69 / 73

A simple Mata function Passing a function to Mata

In Mata, we must define “wrapper functions" for the transformations, aswe cannot pass a pointer to a built-in function. We define trivialfunctions such as

function mf_log(x) return(log(x))

which defines the mf_log() scalar function as taking the log of itsargument.

The Mata function centertrans() receives the function argument as

pointer(real scalar function) scalar f

To apply the function, we use

Z[ ., . ] = (*f)(X)

which applies the function referenced by f to the elements of thematrix X. The Z matrix is then demeaned as before.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 70 / 73

A simple Mata function Passing a function to Mata

The Mata code:

version 14mata:function mf_abs(x) return(abs(x))function mf_exp(x) return(exp(x))function mf_log(x) return(log(x))function mf_sqrt(x) return(sqrt(x))function mf_iden(x) return(x)

void centertrans( string scalar varlist, ///string scalar newvarlist,pointer(real scalar function) scalar f,string scalar touse)

{real matrix X, Zst_view(X=., ., tokens(varlist), touse)st_view(Z=., ., tokens(newvarlist), touse)Z[ , ] = (*f)(X)Z[ , ] = Z :- mean(Z)

}end

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 71 / 73

A useful collection of Mata routines

A useful collection of Mata routines

Presently, the largest and most useful collection of user-written Mataroutines is Ben Jann’s moremata package, available from theStatistical Software Components Archive. The package contains afunction library, lmoremata, as well as full documentation of allincluded routines in the same style as Mata’s on-line functiondescriptions. Very importantly, the package also contains the fullsource code for each Mata routine, accessible with viewsourceUnlike ado-file code, which is accessible by its very nature, Matafunctions may be distributed in object-code (or function-library) form.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 72 / 73

A useful collection of Mata routines

Routines in moremata currently include kernel functions; statisticalfunctions for quantiles, ranks, frequencies, means, variances andcorrelations; functions for sampling; density and distribution functions;root finders; matrix utility and manipulation functions; string functions;and input–output functions. Many of these functions providefunctionality that is currently missing from official Mata and ease thetask of various programming chores.

For more detail on Mata, see my An Introduction to StataProgramming, Ch. 13–14, 1st ed. and Bill Gould’s Stata Conferencepresentation, “Mata: The Missing Manual," available fromhttp://repec.org.

Christopher F Baum (BC / DIW) Mata Programming I NCER/QUT, 2015 73 / 73