xlsgen > overview > Formulas |
Formulas and conditional formattings bring dynamic capabilities to Excel documents. There are a number of aspects in Excel formulas :
workbook.FormulaLanguage
property. Default is : English.
Formula
method from the worksheet object tells you what it is, using the current formula language (English by default).
{=A1:A10*B1:B10}
, notice the curly braces around the formula), and it is possible to add array formulas to a whole range of cells by using the Formula
exposed in the IXlsRange object.
{1;2;3}
. The semi-colon is the value separator and the comma is the 2D separator in case of a 2D array constant, as in {1,1;2,2;3,3}
.
DeleteFormulas()
, or for a selection of cells thanks to what is exposed at the IXlsRange level. Note that removing the formulas preserves the values in cells. This technique of deleting formulas is handy if you want to hide the business logic of your spreadsheet, for instance if the spreadsheet is meant to be distributed to a broad audience.
A formula is attached to a cell at the worksheet level (see IXlsWorksheet for more information), or in the case of merged cells, at the merged cells object level (see IXlsMergedCells for more information).
Formulas are passed just like in Excel. Examples of formulas are as follows :
=SUM(C3:C5) // calculates the sum of the specified cell range =IF(R1C4 > 5; "yes"; "no") // calculates a content depending on a given condition
Supported functions are listed in the following table.
In addition to supporting functions, xlsgen supports the following operators : +, -, *, /, =, <, <=, >, >=, <>, ^ (power), % (percent), & (concatenation).
If the wrong number of parameters is being passed, then an error is raised. A subset of functions support an arbitrary number of parameters, for instance the SUM function supports any number of parameters. Use the semi-colon character to separate parameters.
Formulas and parenthesis can be combined at an arbitrary level. Sometimes, you may have to explicitely add parenthesis for the parser to resolve ambiguities. For instance, A3-A4=0
can be better understood if you pass (A3-A4)=0
instead.
Operands supported include :
R1C1
notation, or Ax
notation
R1C1:R1C1
notation, or Ax:Ax
notation
{1;2;3}
). Array constants are a sequence of floating-point numbers, or strings, or booleans, formula errors.
{=A1:A10*B1:B10}
)
The R1C1
notation is one of the two notations supported by Excel, where in RxxxCyyy
xxx
is a row and yyy
is a column, both starting at 1
. The Ax
notation is the natural Excel notation where A denotes a column (there is more than one letter after the 26th column), and x denotes a row number starting at 1.
Functions are parsed and read using the current formula language. The default formula language is English, but xlsgen supports 5 other languages. See the code below for an example of how to use localized function names.
In order to produce the example in the screen above, the following code is required :
VB code |
wksht.Number(3, 3) = 5 wksht.Number(4, 3) = 10 wksht.Number(5, 3) = 15 Dim style As IXlsStyle Set style = wksht.NewStyle style.Font.Bold = True style.Apply wksht.Formula(6, 3) = "=SUM(C3:C5)" |
C# code |
wksht.set_Number(3,3, 5); wksht.set_Number(4,3, 10); wksht.set_Number(5,3, 15); IXlsStyle style = wksht.NewStyle(); style.Font.Bold = 1; style.Apply(); wksht.set_Formula(6,3, "=SUM(C3:C5)"); |
C/C++ code |
wksht->Number[3][3] = 5; wksht->Number[4][3] = 10; wksht->Number[5][3] = 15; xlsgen::IXlsStylePtr style = wksht->NewStyle(); style->Font->Bold = TRUE; style->Apply(); wksht->Formula[6][3] = "=SUM(C3:C5)"; |
If you'd like to write this function using French function names, you can do the following :
VB code |
' Tell xlsgen to recognize French function names wbk.FormulaLanguage = xlsgen.formulalanguage_fr wksht.Number(3, 3) = 5 wksht.Number(4, 3) = 10 wksht.Number(5, 3) = 15 Dim style As IXlsStyle Set style = wksht.NewStyle style.Font.Bold = True style.Apply ' French function name, without uppercase wksht.Formula(6, 3) = "=somme(C3:C5)" |
C# code |
// Tell xlsgen to recognize French function names wbk.FormulaLanguage = (int) xlsgen.enumFormulaLanguage.formulalanguage_fr; wksht.set_Number(3,3, 5); wksht.set_Number(4,3, 10); wksht.set_Number(5,3, 15); IXlsStyle style = wksht.NewStyle(); style.Font.Bold = 1; style.Apply(); // French function name, without uppercase wksht.set_Formula(6,3, "=somme(C3:C5)"); |
C/C++ code |
// Tell xlsgen to recognize French function names wbk->FormulaLanguage = xlsgen::formulalanguage_fr; wksht->Number[3][3] = 5; wksht->Number[4][3] = 10; wksht->Number[5][3] = 15; xlsgen::IXlsStylePtr style = wksht->NewStyle(); style->Font->Bold = TRUE; style->Apply(); // French function name, without uppercase wksht->Formula[6][3] = "=somme(C3:C5)"; |
If you call user-defined functions (otherwise known as add-ins), you must declare them first using the DeclareUserDefinedFunction
method. An example is :
' declare an external user defined function ' (Book1.xls exposes a VBA procedure called Discount1) wksht.DeclareUserDefinedFunction("Book1.xls!Discount1") ' create a formula with it wksht.Formula(15,3) = "=Book1.xls!Discount1(970;3)"
Formulas must be written using a proper syntax, paired parenthesis, braces, etc. In order to know what might be the problem with a given formula, xlsgen exposes a TryParseFormula
method at the workbook level, which allows to return any error seen in it, among the following :
typedef enum { [helpstring("Formula parsing error, no error")] parseformula_noerror = 0, [helpstring("Formula parsing error, syntax error")] parseformula_syntaxerror = 1, [helpstring("Formula parsing error, out of memory")] parseformula_outofmemory = 2, [helpstring("Formula parsing error, not enough parameters")] parseformula_notenoughparams = 3, [helpstring("Formula parsing error, too many parameters")] parseformula_toomanyparams = 4, [helpstring("Formula parsing error, impaired parenthesis")] parseformula_impairedparenthesis = 5, [helpstring("Formula parsing error, impaired brace")] parseformula_impairedbrace = 6, [helpstring("Formula parsing error, division by zero")] parseformula_divisionbyzero = 7, [helpstring("Formula parsing error, function does not exist")] parseformula_functionnotexist = 8, [helpstring("Formula parsing error, wrong argument separator")] parseformula_wrongargumentseparator = 9 } enumParseFormulaError;
It works like this :
C/C++ code |
xlsgen::enumParseFormulaError error = workbook->TryParseFormula(L"=SUMXYZ(5;3;A2)"); // returns parseformula_functionnotexist because SUMXYZ() does not exist |
English | French | German | Spanish | Italian | Portuguese | Supported by the built-in calculation engine | Description |
ABS | ABS | ABS | ABS | ABS | ABS | Returns the absolute value of a number | |
ACCRINT | INTERET.ACC | AUFGELZINS | INT.ACUM | INT.MATURATO.PER | JUROSACUM | Returns the accrued interest for a security that pays periodic interest | |
ACCRINTM | INTERET.ACC.MAT | AUFGELZINSF | INT.ACUM.V | INT.MATURATO.SCAD | JUROSACUMV | Returns the accrued interest for a security that pays interest at maturity | |
ACOS | ACOS | ARCCOS | ACOS | ARCCOS | ACOS | Returns the arccosine of a number | |
ACOSH | ACOSH | ARCCOSHYP | ACOSH | ARCCOSH | ACOSH | Returns the inverse hyperbolic cosine of a number | |
ACOT | ACOT | ARCCOT | ACOT | ARCCOT | ACOT | Returns the arccotangent of a number | |
ACOTH | ACOTH | ARCCOTHYP | ACOTH | ARCCOTH | ACOTH | Returns the hyperbolic arccotangent of a number | |
ADDRESS | ADRESSE | ADRESSE | DIRECCION | INDIRIZZO | ENDEREÇO | Returns a reference as text to a single cell in a worksheet | |
AGGREGATE | AGREGAT | AGGREGAT | AGREGAR | AGGREGA | AGREGAR | Returns an aggregate in a list or database | |
AMORDEGRC | AMORDEGRC | AMORDEGRK | AMORTIZ.PROGRE | AMMORT.DEGR | AMORDEGRC | Returns the prorated linear depreciation of an asset for each accounting period | |
AMORLINC | AMORLINC | AMORLINEARK | AMORTIZ.LIN | AMMORT.PER | AMORLINC | Returns the prorated linear depreciation of an asset for each accounting period | |
AND | ET | UND | Y | E | E | Returns TRUE if all of its arguments are TRUE | |
ARABIC | CHIFFRE.ARABE | ARABISCH | NUMERO.ARABE | NUMERO.ARABO | ÁRABE | Converts a Roman number to Arabic, as a number | |
ARRAYTOTEXT | ARRAYTOTEXT | ARRAYTOTEXT | ARRAYTOTEXT | ARRAYTOTEXT | ARRAYTOTEXT | Converts an array of values to text | |
AREAS | ZONES | BEREICHE | AREAS | AREE | ÁREAS | Returns the number of areas in a reference | |
ASC | ASC | ASC | ASC | ASC | ASC | Changes full-width (double-byte) English letters or katakana within a character string to half-width (single-byte) characters | |
ASIN | ASIN | ARCSIN | ASENO | ARCSEN | ASEN | Returns the arcsine of a number | |
ASINH | ASINH | ARCSINHYP | ASENOH | ARCSENH | ASENH | Returns the inverse hyperbolic sine of a number | |
ATAN | ATAN | ARCTAN | ATAN | ARCTAN | ATAN | Returns the arctangent of a number | |
ATAN2 | ATAN2 | ARCTAN2 | ATAN2 | ARCTAN.2 | ATAN2 | Returns the arctangent from x- and y-coordinates | |
ATANH | ATANH | ARCTANHYP | ATANH | ARCTANH | ATANH | Returns the inverse hyperbolic tangent of a number | |
AVEDEV | ECART.MOYEN | MITTELABW | DESVPROM | MEDIA.DEV | DESV.MÉDIO | Returns the average of the absolute deviations of data points from their mean | |
AVERAGE | MOYENNE | MITTELWERT | PROMEDIO | MEDIA | MÉDIA | Returns the average of its arguments | |
AVERAGEA | AVERAGEA | MITTELWERTA | PROMEDIOA | MEDIA.VALORI | MÉDIAA | Returns the average of its arguments, including numbers, text, and logical values | |
AVERAGEIF | MOYENNE.SI | MITTELWERTWENN | PROMEDIO.SI | MEDIA.SE | MÉDIA.SE | Finds average (arithmetic mean) for the cells specified by a given condition or criteria | |
AVERAGEIFS | MOYENNE.SI.ENS | MITTELWERTWENNS | PROMEDIO.SI.CONJUNTO | MEDIA.PIÙ.SE | MÉDIA.SE.S | Finds average (arithmetic mean) for the cells specified by a given set of conditions or criteria | |
BAHTTEXT | BAHTTEXT | BAHTTEXT | TEXTOBAHT | BAHTTESTO | TEXTO.BAHT | Converts a number to text (baht) | |
BASE | BASE | BASIS | BASE | BASE | BASE | Converts a number into a text representation with the given radix (base) | |
BESSELI | BESSELI | BESSELI | BESSELI | BESSEL.I | BESSELI | Returns the modified Bessel function In(x) | |
BESSELJ | BESSELJ | BESSELJ | BESSELJ | BESSEL.J | BESSELJ | Returns the Bessel function Jn(x) | |
BESSELK | BESSELK | BESSELK | BESSELK | BESSEL.K | BESSELK | Returns the modified Bessel function Kn(x) | |
BESSELY | BESSELY | BESSELY | BESSELY | BESSEL.Y | BESSELY | Returns the Bessel function Yn(x) | |
BETA.DIST | LOI.BETA.N | BETA.VERT | DISTR.BETA | DISTRIB.BETA.N | DIST.BETA | Returns the beta cumulative distribution function | |
BETA.INV | BETA.INVERSE.N | BETA.INV | DISTR.BETA.INV | INV.BETA.N | INV.BETA | Returns the inverse of the cumulative beta probability density function | |
BETADIST | LOI.BETA | BETAVERT | DISTR.BETA | DISTRIB.BETA | DISTBETA | Returns the beta probability distribution function | |
BETAINV | BETA.INVERSE | BETAINV | DISTR.BETA.INV | INV.BETA | BETA.ACUM.INV | Returns the inverse of the cumulative distribution function for a specified beta distribution | |
BIN2DEC | BINDEC | BININDEZ | BIN.A.DEC | BINARIO.DECIMALE | BINADEC | Converts a binary number to decimal | |
BIN2HEX | BINHEX | BININHEX | BIN.A.HEX | BINARIO.HEX | BINAHEX | Converts a binary number to hexadecimal | |
BIN2OCT | BINOCT | BININOKT | BIN.A.OCT | BINARIO.OCT | BINAOCT | Converts a binary number to octal | |
BINOM.DIST | LOI.BINOMIALE.N | BINOM.VERT | DISTR.BINOM.N | DISTRIB.BINOM.N | DISTR.BINOM | Returns the individual term binomial distribution probability | |
BINOM.DIST.RANGE | BINOM.DIST.RANGE | BINOM.VERT.BEREICH | DISTR.BINOM.SERIE | INTERVALLO.DISTRIB.BINOM.N | DIST.BINOM.INTERVALO | Returns the probability of a trial result using a binomial distribution | |
BINOM.INV | LOI.BINOMIALE.INVERSE | BINOM.INV | INV.BINOM | INV.BINOM | INV.BINOM | Returns the smallest value for which the cumulative binomial distribution is greater than or equal to a criterion value | |
BINOMDIST | LOI.BINOMIALE | BINOMVERT | DISTR.BINOM | DISTRIB.BINOM | DISTR.BINOM | Returns the individual term binomial distribution probability | |
BITAND | BITET | BITUND | BIT.Y | BITAND | BIT.E | Returns a 'Bitwise And' of two numbers | |
BITLSHIFT | BITDECALG | BITLVERSCHIEB | BIT.DESPLIZQDA | BIT.SPOSTA.SX | BITDESL.ESQ | Returns a value number shifted left by shift_amount bits | |
BITOR | BITOU | BITODER | BITOR | BITOR | BIT.OU | Returns a bitwise OR of 2 numbers | |
BITRSHIFT | BITDECALD | BITRVERSCHIEB | BITRSHIFT | BIT.SPOSTA.DX | BITDESL.DIR | Returns a value number shifted right by shift_amount bits | |
BITXOR | BITOUEXCLUSIF | BITXODER | BIT.XO | BITXOR | BIT.XOU | Returns a bitwise 'Exclusive Or' of two numbers | |
BYCOL | BYCOL | BYCOL | BYCOL | BYCOL | BYCOL | Applies a Lambda function to each column and returns an array of the results. | |
BYROW | BYROW | BYROW | BYROW | BYROW | BYROW | Applies a Lambda function to each row and returns an array of the results. | |
CEILING | PLAFOND | OBERGRENZE | MULTIPLO.SUPERIOR | ARROTONDA.ECCESSO | ARRED.EXCESSO | Rounds a number to the nearest integer or to the nearest multiple of significance | |
CEILING.MATH | PLAFOND.MATH | OBERGRENZE.MATHEMATIK | CEILING.MATH | ARROTONDA.ECCESSO.MAT | ARRED.EXCESSO.MAT | Rounds a number up, to the nearest integer or to the nearest multiple of significance | |
CEILING.PRECISE | PLAFOND.PRECIS | OBERGRENZE.GENAU | MÚLTIPLO.SUPERIOR.EXACTO | ARROTONDA.ECCESSO.PRECISA | ARRED.EXCESSO.PRECISO | Rounds a number the nearest integer or to the nearest multiple of significance. Regardless of the sign of the number, the number is rounded up. | |
CELL | CELLULE | ZELLE | CELDA | CELLA | CÉL | Returns information about the formatting, location, or contents of a cell | |
CHAR | CAR | ZEICHEN | CARACTER | CODICE.CARATT | CARÁCT | Returns the character specified by the code number | |
CHIDIST | LOI.KHIDEUX | CHIVERT | DISTR.CHI | DISTRIB.CHI | DIST.CHI | Returns the one-tailed probability of the chi-squared distribution | |
CHIINV | KHIDEUX.INVERSE | CHIINV | PRUEBA.CHI.INV | INV.CHI | INV.CHI | Returns the inverse of the one-tailed probability of the chi-squared distribution | |
CHISQ.DIST | LOI.KHIDEUX.N | CHIQU.VERT | DISTR.CHICUAD | DISTRIB.CHI.QUAD | DIST.CHIQ | Returns the left-tailed probability of the chi-squared distribution | |
CHISQ.DIST.RT | LOI.KHIDEUX.DROITE | CHIQU.VERT.RE | DISTR.CHICUAD.CD | DISTRIB.CHI.QUAD.DS | DIST.CHIQ.DIR | Returns the right-tailed probability of the chi-squared distribution | |
CHISQ.INV | LOI.KHIDEUX.INVERSE | CHIQU.INV | INV.CHICUAD | INV.CHI.QUAD | INV.CHIQ | Returns the inverse of the left-tailed probability of the chi-squared distribution | |
CHISQ.INV.RT | LOI.KHIDEUX.INVERSE.DROITE | CHIQU.INV.RE | INV.CHICUAD.CD | INV.CHI.QUAD.DS | INV.CHIQ.DIR | Returns the inverse of the right-tailed probability of the chi-squared distribution | |
CHISQ.TEST | CHISQ.TEST | CHIQU.TEST | PRUEBA.CHICUAD | TEST.CHI.QUAD | TESTE.CHIQ | Returns the test for independence : the value from the chi-squared distribution for the statistic and the appropriate degrees of freedom | |
CHITEST | TEST.KHIDEUX | CHITEST | PRUEBA.CHI | TEST.CHI | TESTE.CHI | Returns the test for independence | |
CHOOSE | CHOISIR | WAHL | ELEGIR | SCEGLI | SELECCIONAR | Chooses a value from a list of values | |
CLEAN | EPURAGE | SÄUBERN | LIMPIAR | LIBERA | LIMPARB | Removes all nonprintable characters from text | |
CODE | CODE | CODE | CODIGO | CODICE | CÓDIGO | Returns a numeric code for the first character in a text string | |
COLUMN | COLONNE | SPALTE | COLUMNA | RIF.COLONNA | COL | Returns the column number of a reference | |
COLUMNS | COLONNES | SPALTEN | COLUMNAS | COLONNE | COLS | Returns the number of columns in a reference | |
COMBIN | COMBIN | KOMBINATIONEN | COMBINAT | COMBINAZIONE | COMBIN | Returns the number of combinations for a given number of objects | |
COMBINA | COMBINA | KOMBINATIONEN2 | COMBINA | COMBINAZIONE.VALORI | COMBIN.R | Returns the number of combinations with repetitions for a given number of items | |
COMPLEX | COMPLEXE | KOMPLEXE | COMPLEJO | COMPLESSO | COMPLEXO | Converts real and imaginry coefficients into a complex number | |
CONCAT | CONCAT | TEXTKETTE | CONCAT | CONCAT | CONCAT | Joins several text items into one text item (more room available than CONCATENATE()) | |
CONCATENATE | CONCATENER | VERKETTEN | CONCATENAR | CONCATENA | CONCATENAR | Joins several text items into one text item | |
CONFIDENCE.NORM | INTERVALLE.CONFIANCE.NORMAL | KONFIDENZ.NORM | INTERVALO.CONFIANZA.NORM | CONFIDENZA.NORM | INT.CONFIANÇA.NORM | Returns the confidence interval for a population mean, using a normal distribution | |
CONFIDENCE.T | INTERVALLE.CONFIANCE.STUDENT | KONFIDENZ.T | INTERVALO.CONFIANZA.T | CONFIDENZA.T | INT.CONFIANÇA.T | Returns the confidence interval for a population mean, using a Student's T distribution | |
CONFIDENCE | INTERVALLE.CONFIANCE | KONFIDENZ | INTERVALO.CONFIANZA | CONFIDENZA | INT.CONFIANÇA | Returns the confidence interval for a population mean | |
CONVERT | CONVERT | UMWANDELN | CONVERTIR | CONVERTI | CONVERTER | Converts a number from one measurement system to another | |
CORREL | COEFFICIENT.CORRELATION | KORREL | COEF.DE.CORREL | CORRELAZIONE | CORREL | Returns the correlation coefficient between two data sets | |
COS | COS | COS | COS | COS | COS | Returns the cosine of a number | |
COSH | COSH | COSHYP | COSH | COSH | COSH | Returns the hyperbolic cosine of a number | |
COT | COT | COT | COT | COT | COT | Returns the cotangent of an angle | |
COTH | COTH | COTHYP | COTH | COTH | COTH | Returns the hyperbolic cotangent of a number | |
COUNT | NB | ANZAHL | CONTAR | CONTA.NUMERI | CONTAR | Counts how many numbers are in the list of arguments | |
COUNTA | NBVAL | ANZAHL2 | CONTARA | CONTA.VALORI | CONTAR.VAL | Counts how many values are in the list of arguments | |
COUNTBLANK | NB.VIDE | ANZAHLLEEREZELLEN | CONTAR.BLANCO | CONTA.VUOTE | CONTAR.VAZIO | Counts blanks | |
COUNTIF | NB.SI | ZÄHLENWENN | CONTAR.SI | CONTA.SE | CONTAR.SE | Counts values matching an expression | |
COUNTIFS | NB.SI.ENS | ZÄHLENWENNS | CONTAR.SI.CONJUNTO | CONTA.PIÙ.SE | CONTAR.SE.S | Counts the number of cells specified by a given set of conditions or criteria | |
COUPDAYBS | NB.JOURS.COUPON.PREC | ZINSTERMTAGVA | CUPON.DIAS.L1 | GIORNI.CED.INIZ.LIQ | CUPDIASINLIQ | Returns the number of days from the beginning of the coupon period to the settlement date | |
COUPDAYS | NB.JOURS.COUPONS | ZINSTERMTAGE | CUPON.DIAS | GIORNI.CED | CUPDIAS | Returns the number of days in the coupon period that contains the settlement date | |
COUPDAYSNC | NB.JOURS.COUPON.SUIV | ZINSTERMTAGNZ | CUPON.DIAS.L2 | GIORNI.CED.NUOVA | CUPDIASPRÓX | Returns the number of days from the settlement date to the next coupon date | |
COUPNCD | DATE.COUPON.SUIV | ZINSTERMNZ | CUPON.FECHA.L2 | DATA.CED.SUCC | CUPDATAPRÓX | Returns the next coupon date after the settlement date | |
COUPNUM | NB.COUPONS | ZINSTERMZAHL | CUPON.NUM | NUM.CED | CUPNÚM | Returns the number of coupons payable between the settlement date and maturity date | |
COUPPCD | DATE.COUPON.PREC | ZINSTERMVZ | CUPON.FECHA.L1 | DATA.CED.PREC | CUPDATAANT | Returns the previous coupon date before the settlement date | |
COVAR | COVARIANCE | KOVAR | COVAR | COVARIANZA | COVAR | Returns covariance, the average of the products of paired deviations | |
COVARIANCE.P | COVARIANCE.PEARSON | KOVARIANZ.P | COVARIANZA.P | COVARIANZA.P | COVARIÂNCIA.P | Returns population covariance, the average of the products of deviations for each data point pair in two data sets | |
COVARIANCE.S | COVARIANCE.STANDARD | KOVARIANZ.S | COVARIANZA.M | COVARIANZA.C | COVARIÂNCIA.S | Returns sample covariance, the average of the products of deviations for each data point pair in two data sets | |
CRITBINOM | CRITERE.LOI.BINOMIALE | KRITBINOM | BINOM.CRIT | CRIT.BINOM | CRIT.BINOM | Returns the smallest value for which the cumulative binomial distribution is less than or equal to a criterion value | |
CSC | CSC | COSEC | CSC | CSC | CSC | Returns the cosecant of an angle | |
CSCH | CSCH | COSECHYP | CSCH | CSCH | CSCH | Returns the hyperbolic cosecant of an angle | |
CUBEKPIMEMBER | MEMBREKPICUBE | CUBEKPIELEMENT | MIEMBROKPICUBO | MEMBRO.KPI.CUBO | MEMBROKPICUBO | Returns a key performance indicator (KPI) property and displays the KPIP name in the cell | |
CUBEMEMBER | MEMBRECUBE | CUBEELEMENT | MIEMBROCUBO | MEMBRO.CUBO | MEMBROCUBO | Returns a member or tuple from the cube | |
CUBEMEMBERPROPERTY | PROPRIETEMEMBRECUBE | CUBEELEMENTEIGENSCHAFT | PROPIEDADMIEMBROCUBO | PROPRIETÀ.MEMBRO.CUBO | PROPRIEDADEMEMBROCUBO | Returns the value of a member property from the cube | |
CUBERANKEDMEMBER | RANGMEMBRECUBE | CUBERANGELEMENT | MIEMBRORANGOCUBO | MEMBRO.CUBO.CON.RANGO | MEMBROCLASSIFICADOCUBO | Returns the nth, or ranked, member in a set | |
CUBESET | JEUCUBE | CUBEMENGE | CONJUNTOCUBO | SET.CUBO | CONJUNTOCUBO | Defines a calculated set of members or tuples by sending a set expression to the cube on the server, which creates the set, and then returns that set to Microsoft Office Excel | |
CUBESETCOUNT | NBJEUCUBE | CUBEMENGENANZAHL | RECUENTOCONJUNTOCUBO | CONTA.SET.CUBO | CONTARCONJUNTOCUBO | Returns the number of items in a set | |
CUBEVALUE | VALEURCUBE | CUBEWERT | VALORCUBO | VALORE.CUBO | VALORCUBO | Returns an aggregated value from the cube | |
CUMIPMT | CUMUL.INTER | KUMZINSZ | PAGO.INT.ENTRE | INT.CUMUL | PGTOJURACUM | Returns the cumulative interest paid between two periods | |
CUMPRINC | CUMUL.PRINCPER | KUMKAPITAL | PAGO.PRINC.ENTRE | CAP.CUM | PGTOCAPACUM | Returns the cumulative principal paid on a loan between two periods | |
DATE | DATE | DATUM | FECHA | DATA | DATA | Returns the serial number of a particular date | |
DATEDIF | DATEDIF | DATEDIF | SIFECHA | DATA.DIFF | DATAD.SE | Calculates the number of days, months, or years between two dates. This function is provided for compatibility with Lotus 1-2-3. | |
DATEVALUE | DATEVAL | DATWERT | VALFECHA | DATA.VALORE | DATA.VALOR | Converts a date in the form of text to a serial number | |
DAVERAGE | BDMOYENNE | DBMITTELWERT | BDPROMEDIO | DB.MEDIA | BDMÉDIA | Returns the average of selected database entries | |
DAY | JOUR | TAG | DIA | GIORNO | DIA | Converts a serial number to a day of the month | |
DAYS | JOURS | TAGE | DIAS | GIORNI | DIAS | Returns the number of days between two dates | |
DAYS360 | JOURS360 | TAGE360 | DIAS360 | GIORNO360 | DIAS360 | Calculates the number of days between two dates based on a 360-day year | |
DB | DB | GDA2 | DB | AMMORT.FISSO | BD | Returns the depreciation of an asset for a specified period by using the fixed-declining balance method | |
DBCS | DBCS | JIS | DBCS | DBCS | DBCS | Changes half-width (single-byte) English letters or katakana within a character string to full-width (double-byte) characters | |
DCOUNT | BDNB | DBANZAHL | BDCONTAR | DB.CONTA.NUMERI | BDCONTAR | Counts the cells that contain numbers in a database | |
DCOUNTA | BDNBVAL | DBANZAHL2 | BDCONTARA | DB.CONTA.VALORI | BDCONTAR.VAL | Counts nonblank cells in a database | |
DDB | DDB | GDA | DDB | AMMORT | BDD | Returns the depreciation of an asset for a specified period by using the double-declining balance method or some other method that you specify | |
DEC2BIN | DECBIN | DEZINBIN | DEC.A.BIN | DECIMALE.BINARIO | DECABIN | Converts a decimal number to binary | |
DEC2HEX | DECHEX | DEZINHEX | DEC.A.HEX | DECIMALE.HEX | DECAHEX | Converts a decimal number to hexadecimal | |
DEC2OCT | DECOCT | DEZINOKT | DEC.A.OCT | DECIMALE.OCT | DECAOCT | Converts a decimal number to octal | |
DECIMAL | DECIMAL | DEZIMAL | CONV.DECIMAL | DECIMALE | DECIMAL | Converts a text representation of a number in a given base into a decimal number | |
DEGREES | DEGRES | GRAD | GRADOS | GRADI | GRAUS | Converts radians to degrees | |
DELTA | DELTA | DELTA | DELTA | DELTA | DELTA | Tests whether two numbers are equal | |
DEVSQ | SOMME.CARRES.ECARTS | SUMQUADABW | DESVIA2 | DEV.Q | DESVQ | Returns the sum of squares of deviations | |
DGET | BDLIRE | DBAUSZUG | BDEXTRAER | DB.VALORI | BDOBTER | Extracts from a database a single record that matches the specified criteria | |
DISC | TAUX.ESCOMPTE | DISAGIO | TASA.DESC | TASSO.SCONTO | DESC | Returns the discount rate for a security | |
DMAX | BDMAX | DBMAX | BDMAX | DB.MAX | BDMÁX | Returns the maximum value from selected database entries | |
DMIN | BDMIN | DBMIN | BDMIN | DB.MIN | BDMÍN | Returns the minimum value from selected database entries | |
DOLLAR | FRANC | DM | MONEDA | VALUTA | MOEDA | Converts a number to text, using the $ (dollar) currency format | |
DOLLARDE | PRIX.DEC | NOTIERUNGDEZ | MONEDA.DEC | VALUTA.DEC | MOEDADEC | Converts a dollar price, expressed as a fraction, into a dollar price, expressed as a decimal number | |
DOLLARFR | PRIX.FRAC | NOTIERUNGBRU | MONEDA.FRAC | VALUTA.FRAZ | MOEDAFRA | Converts a dollar price, expressed as a decimal number, into a dollar price, expressed as a fraction | |
DPRODUCT | BDPRODUIT | DBPRODUKT | BDPRODUCTO | DB.PRODOTTO | BDMULTIPL | Multiplies the values in a particular field of records that match the criteria in a database | |
DSTDEV | BDECARTYPE | DBSTDABW | BDDESVEST | DB.DEV.ST | BDDESVPAD | Estimates the standard deviation based on a sample of selected database entries | |
DSTDEVP | BDECARTYPEP | DBSTDABWN | BDDESVESTP | DB.DEV.ST.POP | BDDESVPADP | Calculates the standard deviation based on the entire population of selected database entries | |
DSUM | BDSOMME | DBSUMME | BDSUMA | DB.SOMMA | BDSOMA | Adds the numbers in the field column of records in the database that match the criteria | |
DURATION | DUREE | DURATION | DURACION | DURATA | DURAÇÃO | Returns the annual duration of a security with periodic interest payments | |
DVAR | BDVAR | DBVARIANZ | BDVAR | DB.VAR | BDVAR | Estimates variance based on a sample from selected database entries | |
DVARP | BDVARP | DBVARIANZEN | BDVARP | DB.VAR.POP | BDVARP | Calculates variance based on the entire population of selected database entries | |
ECMA.CEILING | ECMA.CEILING | ECMA.CEILING | ECMA.CEILING | ECMA.CEILING | ECMA.CEILING | Rounds a number the nearest integer or to the nearest multiple of significance using ECMA norm. Regardless of the sign of the number, the number is rounded up. | |
EDATE | MOIS.DECALER | EDATUM | FECHA.MES | DATA.MESE | DATAM | Returns the serial number of the date that is the indicated number of monts before or after the start date | |
EFFECT | TAUX.EFFECTIF | EFFEKTIV | INT.EFECTIVO | EFFETTIVO | EFECTIVA | Returns the effective annual interest rate | |
ENCODEURL | ENCODEURL | URLCODIEREN | URLCODIF | CODIFICA.URL | CODIFICAÇÃOURL | Returns a URL-encoded string | |
EOMONTH | FIN.MOIS | MONATSENDE | FIN.MES | FINE.MESE | FIMMÊS | Returns the serial number of the last day of the month before or after a specified number of months | |
ERF | ERF | GAUSSFEHLER | FUN.ERROR | FUNZ.ERRORE | FUNCERRO | Returns the error function | |
ERF.PRECISE | ERF.PRECIS | GAUSSF.GENAU | FUN.ERROR.EXACTO | FUNZ.ERRORE.PRECISA | FUNCERRO.PRECISO | Returns the error function | |
ERFC | ERFC | GAUSSFKOMPL | FUN.ERROR.COMPL | FUNZ.ERRORE.COMP | FUNCERROCOMPL | Returns the complementary error function | |
ERFC.PRECISE | ERFC.PRECIS | GAUSSFKOMPL.GENAU | FUN.ERROR.COMPL.EXACTO | FUNZ.ERRORE.COMP.PRECISA | FUNCERROCOMPL.PRECISO | Returns the complementary ERF function integrated between x and infinity | |
ERROR.TYPE | TYPE.ERREUR | FEHLER.TYP | TIPO.DE.ERROR | ERRORE.TIPO | TIPO.ERRO | Returns a number corresponding to an error type | |
EVEN | PAIR | GERADE | REDONDEA.PAR | PARI | PAR | Rounds a number up to the nearest even integer | |
EXACT | EXACT | IDENTISCH | IGUAL | IDENTICO | EXATO | Checks to see if two text values are identical | |
EXP | EXP | EXP | EXP | EXP | EXP | Returns e raised to the power of a given number | |
EXPON.DIST | LOI.EXPONENTIELLE.N | EXPON.VERT | DISTR.EXP.N | DISTRIB.EXP.N | DIST.EXPON | Returns the exponential distribution | |
EXPONDIST | LOI.EXPONENTIELLE | EXPONVERT | DISTR.EXP | DISTRIB.EXP | DISTEXPON | Returns the exponential distribution | |
F.DIST | LOI.F.N | F.VERT | DISTR.F.RT | DISTRIBF | DIST.F | Returns the left-tailed F probability distribution (degree of diversity) for two data sets | |
F.DIST.RT | LOI.F.DROITE | F.VERT.RE | DISTR.F.CD | DISTRIB.F.DS | DIST.F.DIR | Returns the right-tailed F probability distribution (degree of diversity) for two data sets | |
F.INV | INVERSE.LOI.F.N | F.INV | INV.F | INVF | INV.F | Returns the inverse of the left-tailed F probability distribution | |
F.INV.RT | INVERSE.LOI.F.DROITE | F.INV.RE | INV.F.CD | INV.F.DS | INV.F.DIR | Returns the inverse of the right-tailed F probability distribution | |
F.TEST | F.TEST | F.TEST | PRUEBA.F.N | TESTF | TESTE.F | Returns the result of an F-test, the two-tailed probability that the variances in Array1 and Array2 are not significantly different | |
FACT | FACT | FAKULTÄT | FACT | FATTORIALE | FATORIAL | Returns the factorial of a number | |
FACTDOUBLE | FACTDOUBLE | ZWEIFAKULTÄT | FACT.DOBLE | FATT.DOPPIO | FACTDUPLO | Returns the double factorial of a number | |
FALSE | FAUX | FALSCH | FALSO | FALSO | FALSO | Returns the logical value of FALSE | |
FDIST | LOI.F | FVERT | DISTR.F | DISTRIB.F | DISTF | Returns the F probability distribution | |
FIELDVALUE | FIELDVALUE | FIELDVALUE | FIELDVALUE | FIELDVALUE | FIELDVALUE | returns all matching fields(s) from the linked data type specified in the value argument. | |
FILTER | FILTRE | FILTERN | FILTRAR | FILTRO | FILTRAR | Filters a range of data based on a criteria | |
FILTERXML | FILTRE.XML | XMLFILTERN | XMLFILTRO | FILTRO.XML | FILTRARXML | Returns specific data from the XML content by using the specified XPath | |
FIND | TROUVE | FINDEN | ENCONTRAR | TROVA | LOCALIZAR | Finds one text value within another (case-sensitive) | |
FINDB | TROUVERB | FINDENB | ENCONTRARB | TROVA.B | LOCALIZARB | Finds one text value within another (case-sensitive) | |
FINV | INVERSE.LOI.F | FINV | DISTR.F.INV | INV.F | INVF | Returns the inverse of the F probability distribution | |
FISHER | FISHER | FISHER | FISHER | FISHER | FISHER | Returns the Fisher transformation | |
FISHERINV | FISHER.INVERSE | FISHERINV | PRUEBA.FISHER.INV | INV.FISHER | FISHERINV | Returns the inverse of the Fisher transformation | |
FIXED | CTXT | FEST | DECIMAL | FISSO | FIXA | Formats a number as text with a fixed number of decimals | |
FLOOR | PLANCHER | UNTERGRENZE | MULTIPLO.INFERIOR | ARROTONDA.DIFETTO | ARRED.DEFEITO | Rounds a number down, toward zero | |
FLOOR.MATH | PLANCHER.MATH | UNTERGRENZE.MATHEMATIK | MULTIPLO.INFERIOR.MAT | ARROTONDA.DIFETTO.MAT | ARRED.DEFEITO.MAT | Rounds a number down, to the nearest integer or to the nearest multiple of significance | |
FLOOR.PRECISE | PLANCHER.PRECIS | UNTERGRENZE.GENAU | MULTIPLO.INFERIOR.EXACTO | FARROTONDA.DIFETTO.PRECISA | ARRED.DEFEITO.PRECISO | Rounds a number down to the nearest integer or to the nearest multiple of significance. Regardless of the sign of the number, the number is rounded down. | |
FORECAST | PREVISION | SCHÄTZER | PRONOSTICO | PREVISIONE | PREVISÃO | Returns a value along a linear trend | |
FORECAST.ETS | PREVISION.ETS | SCHÄTZER.ETS | PRONOSTICO.ETS | PREVISIONE.ETS | PREVISÃO.ETS | Returns a value along a exponential trend using the existing values in your dataset | |
FORECAST.ETS.CONFINT | PREVISION.ETS.CONFINT | SCHÄTZER.ETS.KONFINT | PRONOSTICO.ETS.CONFINT | PREVISIONE.ETS.INTCONF | PREVISÃO.ETS.CONFINT | Returns a confidence interval for the forecasted value. | |
FORECAST.ETS.SEASONALITY | PREVISION.ETS.CARACTERESAISONNIER | SCHÄTZER.ETS.SAISONALITÄT | PRONOSTICO.ETS.ESTACIONALIDAD | PREVISIONE.ETS.STAGIONALITÀ | PREVISÃO.ETS.SAZONALIDADE | Returns a seasonality value along a exponential trend using the existing time values in your dataset | |
FORECAST.ETS.STAT | PREVISION.ETS.STAT | SCHÄTZER.ETS.STAT | PRONOSTICO.ETS.ESTADISTICA | PREVISIONE.ETS.STAT | PREVISÃO.ETS.ESTATÍSTICA | Returns a statistical value as a result of time series forecasting, for one of picked stats algorithm. | |
FORECAST.LINEAR | PREVISION.LINEAIRE | SCHÄTZER.LINEAR | PRONOSTICO.LINEAL | PREVISIONE.LINEARE | PREVISÃO.LINEAR | Returns a value along a linear trend using the existing values in your dataset | |
FORMULATEXT | FORMULETEXTE | FORMELTEXT | FORMULATEXT | TESTO.FORMULA | FÓRMULA.TEXTO | Returns the formula at the given reference as text | |
FREQUENCY | FREQUENCE | HÄUFIGKEIT | FRECUENCIA | FREQUENZA | FREQÜÊNCIA | Returns a frequency distribution as a vertical array | |
FTEST | TEST.F | FTEST | PRUEBA.F | TEST.F | TESTEF | Returns the result of an F-test | |
FV | VC | ZW | VF | VAL.FUT | VF | Returns the future value of an investment | |
FVSCHEDULE | VC.PAIEMENTS | ZW2 | VF.PLAN | VAL.FUT.CAPITALE | VFPLANO | Returns the future value of an initial principal after applying a series of compound interest rates | |
GAMMA | GAMMA | GAMMA | GAMMA | GAMMA | GAMA | Returns the Gamma function value | |
GAMMA.DIST | LOI.GAMMA.N | GAMMA.VERT | DISTR.GAMMA | DISTRIB.GAMMA.N | DIST.GAMA | Returns the gamma distribution | |
GAMMA.INV | LOI.GAMMA.INVERSE.N | GAMMA.INV | DISTR.GAMMA.INV | INV.GAMMA.N | INV.GAMA | Returns the inverse of the gamma cumulative distribution | |
GAMMADIST | LOI.GAMMA | GAMMAVERT | DISTR.GAMMA | DISTRIB.GAMMA | DISTGAMA | Returns the gamma distribution | |
GAMMAINV | LOI.GAMMA.INVERSE | GAMMAINV | DISTR.GAMMA.INV | INV.GAMMA | INVGAMA | Returns the inverse of the gamma cumulative distribution | |
GAMMALN | LNGAMMA | GAMMALN | GAMMA.LN | LN.GAMMA | LNGAMA | Returns the natural logarithm of the gamma function, G(x) | |
GAMMALN.PRECISE | LNGAMMA.PRECIS | GAMMALN.GENAU | GAMMA.LN.EXACTO | LN.GAMMA.PRECISA | LNGAMA.PRECISO | Returns the natural logarithm of the gamma function | |
GAUSS | GAUSS | GAUSS | GAUSS | GAUSS | GAUSS | Returns 0.5 less than the standard normal cumulative distribution | |
GCD | PGCD | GGT | M.C.D | MCD | MDC | Returns the greatest common divisor | |
GEOMEAN | MOYENNE.GEOMETRIQUE | GEOMITTEL | MEDIA.GEOM | MEDIA.GEOMETRICA | MÉDIA.GEOMÉTRICA | Returns the geometric mean | |
GESTEP | SUP.SEUIL | GGANZZAHL | MAYOR.O.IGUAL | SOGLIA | DEGRAU | Tests whether a number is greater than a threshold value | |
GETPIVOTDATA | LIREDONNEESTABCROISDYNAMIQUE | PIVOTDATENZUORDNEN | IMPORTARDATOSDINAMICOS | INFO.DATI.TAB.PIVOT | OBTERDADOSDIN | ||
GINI | GINI | GINI | GINI | GINI | GINI | Computes the Gini coefficient (i.e. dispersion ratio) | |
GROUPBY | GROUPBY | GROUPBY | GROUPBY | GROUPBY | GROUPBY | create a summary of data, for instance sales by year | |
GROWTH | CROISSANCE | VARIATION | CRECIMIENTO | CRESCITA | CRESCIMENTO | Returns values along an exponential trend | |
HARMEAN | MOYENNE.HARMONIQUE | HARMITTEL | MEDIA.ARMO | MEDIA.ARMONICA | MÉDIA.HARMÔNICA | Returns the harmonic mean | |
HEX2BIN | HEXBIN | HEXINBIN | HEX.A.BIN | HEX.BINARIO | HEXABIN | Converts a hexadecimal number to binary | |
HEX2DEC | HEXDEC | HEXINDEZ | HEX.A.DEC | HEX.DECIMALE | HEXADEC | Converts a hexadecimal number to decimal | |
HEX2OCT | HEXOCT | HEXINOKT | HEX.A.OCT | HEX.OCT | HEXAOCT | Converts a hexadecimal number to octal | |
HLOOKUP | RECHERCHEH | WVERWEIS | BUSCARH | CERCA.ORIZZ | PROCH | Looks in the top row of an array and returns the value of the indicated cell | |
HOUR | HEURE | STUNDE | HORA | ORA | HORA | Converts a serial number to an hour | |
HYPERLINK | LIEN_HYPERTEXTE | HYPERLINK | HIPERVINCULO | COLLEG.IPERTESTUALE | HIPERLIGAÇÃO | Creates a shortcut or jump that opens a document stored on a network server, an intranet, or the Internet | |
HYPGEOM.DIST | LOI.HYPERGEOMETRIQUE.N | HYPGEOM.VERT | DISTR.HIPERGEOM.N | DISTRIB.IPERGEOM.N | DIST.HIPGEOM | Returns the hypergeometric distribution | |
HYPGEOMDIST | LOI.HYPERGEOMETRIQUE | HYPGEOMVERT | DISTR.HIPERGEOM | DIST.HIPERGEOM | DIST.HIPERGEOM | Returns the hypergeometric distribution | |
IF | SI | WENN | SI | SE | SE | Specifies a logical test to perform | |
IFS | SI.CONDITIONS | WENNS | SI.CONJUNTO | PIÙ.SE | SE.S | Specifies multiple logical tests to perform | |
IFNA | SI.NON.DISP | WENNNV | SI.ND | SE.NON.DISP | SEND | Returns the value you specify if the expression resolves to #N/A, otherwise returns the result of the expression | |
IFERROR | SIERREUR | WENNFEHLER | SI.ERROR | SE.ERRORE | SE.ERRO | Returns the second parameter if expression is an error and the value of the expression otherwise | |
IMABS | COMPLEXE.MODULE | IMABS | IM.ABS | COMP.MODULO | IMABS | Returns the absolute value (modulus) of a complex number | |
IMAGE | IMAGE | IMAGE | IMAGE | IMAGE | IMAGE | Inserts images into one cell from a source location | |
IMAGINARY | COMPLEXE.IMAGINAIRE | IMAGINÄRTEIL | IMAGINARIO | COMP.IMMAGINARIO | IMAGINÁRIO | Returns the imaginary coefficient of a complex number | |
IMARGUMENT | COMPLEXE.ARGUMENT | IMARGUMENT | IM.ANGULO | COMP.ARGOMENTO | IMARG | Returns the argument q, an angle expressed in radians | |
IMCONJUGATE | COMPLEXE.CONJUGUE | IMKONJUGIERTE | IM.CONJUGADA | COMP.CONIUGATO | IMCONJ | Returns the complex conjuguate of a complex number | |
IMCOS | COMPLEXE.COS | IMCOS | IM.COS | COMP.COS | IMCOS | Returns the cosine of a complex number | |
IMCOSH | COMPLEXE.COSH | IMCOSHYP | IM.COSH | COMP.COSH | IMCOSH | Returns the hyperbolic cosine of a complex number | |
IMCOT | COMPLEXE.COT | IMCOT | IMCOT | COMP.COT | IMCOT | Returns the cotangent of a complex number | |
IMCSC | COMPLEXE.CSC | IMCOSEC | IM.CSC | COMP.CSC | IMCSC | Returns the cosecant of a complex number | |
IMCSCH | COMPLEXE.CSCH | IMCOSECHYP | IM.CSCH | COMP.CSCH | IMCSCH | Returns the hyperbolic cosecant of a complex number | |
IMDIV | COMPLEXE.DIV | IMDIV | IM.DIV | COMP.DIV | IMDIV | Returns the quotient of two complex numbers | |
IMEXP | COMPLEXE.EXP | IMEXP | IM.EXP | COMP.EXP | IMEXP | Returns the exponential of a complex number | |
IMLN | COMPLEXE.LN | IMLN | IM.LN | COMP.LN | IMLN | Returns the natural logarithm of a complex number | |
IMLOG10 | COMPLEXE.LOG10 | IMLOG10 | IM.LOG10 | COMP.LOG10 | IMLOG10 | Returns the base-10 logarithm of a complex number | |
IMLOG2 | COMPLEXE.LOG2 | IMLOG2 | IM.LOG2 | COMP.LOG2 | IMLOG2 | Returns the base-2 logarithm of a complex number | |
IMPOWER | COMPLEXE.PUISSANCE | IMAPOTENZ | IM.POT | COMP.POTENZA | IMPOT | Returns a complex number raised to an integer power | |
IMPRODUCT | COMPLEXE.PRODUIT | IMPRODUKT | IM.PRODUCT | COMP.PRODOTTO | IMPROD | Returns the product of 1 to 255 complex numbers | |
IMREAL | COMPLEXE.REEL | IMREALTEIL | IM.REAL | COMP.PARTE.REALE | IMREAL | Returns the real coefficient of a complex number | |
IMSEC | COMPLEXE.SEC | IMSEC | IM.SEC | COMP.SEC | IMSEC | Returns the secant of a complex number | |
IMSECH | COMPLEXE.SECH | IMSECH | IM.SECH | COMP.SECH | IMSECH | Returns the hyperbolic secant of a complex number | |
IMSIN | COMPLEXE.SIN | IMSIN | IM.SENO | COMP.SEN | IMSENO | Returns the sine of a complex number | |
IMSINH | COMPLEXE.SINH | IMSINHYP | IM.SENOH | COMP.SENH | IMSENOH | Returns the hyperbolic sine of a complex number | |
IMSQRT | COMPLEXE.RACINE | IMWURZEL | IM.RAIZ2 | COMP.RADQ | IMRAIZ | Returns the square root of a complex number | |
IMSUB | COMPLEXE.DIFFERENCE | IMSUB | IM.SUSTR | COMP.DIFF | IMSUBTR | Returns the difference of two complex numbers | |
IMSUM | COMPLEXE.SOMME | IMSUMME | IM.SUM | COMP.SOMMA | IMSOMA | Returns the sum of two complex numbers | |
IMTAN | COMPLEXE.TAN | IMTAN | IM.TAN | COMP.TAN | IMTAN | Returns the tangent of a complex number | |
INDEX | INDEX | INDEX | INDICE | INDICE | ÍNDICE | Uses an index to choose a value from a reference or array | |
INDIRECT | INDIRECT | INDIREKT | INDIRECTO | INDIRETTO | INDIRETO | Returns a reference indicated by a text value | |
INFO | INFORMATIONS | INFO | INFO | AMBIENTE.INFO | INFORMAÇÃO | Returns information about the current operating environment | |
INT | ENT | GANZZAHL | ENTERO | INT | INT | Rounds a number down to the nearest integer | |
INTERCEPT | ORDONNEE.ORIGINE | ACHSENABSCHNITT | INTERSECCION.EJE | INTERCETTA | INTERCEPTAR | Returns the intercept of the linear regression line | |
INTERSECT | INTERSECTION | INTERSECT | INTERSECT | INTERSECT | INTERSECT | Returns the logical intersection of an arbitrary number of ranges | |
INTRATE | TAUX.INTERET | ZINSSATZ | TASA.INT | TASSO.INT | TAXAJUROS | Returns the interest rate for a fully invested security | |
IPMT | INTPER | ZINSZ | PAGOINT | INTERESSI | IPGTO | Returns the interest payment for an investment for a given period | |
IRR | TRI | IKV | TIR | TIR.COST | TIR | Returns the internal rate of return for a series of cash flows | |
ISBLANK | ESTVIDE | ISTLEER | ESBLANCO | VAL.VUOTO | É.CÉL.VAZIA | Returns TRUE if the value is blank | |
ISERR | ESTERR | ISTFEHL | ESERR | VAL.ERR | É.ERROS | Returns TRUE if the value is any error value except #N/A | |
ISERROR | ESTERREUR | ISTFEHLER | ESERROR | VAL.ERRORE | É.ERRO | Returns TRUE if the value is any error value | |
ISEVEN | EST.PAIR | ISTGERADE | ES.PAR | VAL.PARI | ÉPAR | Returns TRUE if the number is even | |
ISFORMULA | ESTFORMULE | ISTFORMEL | ESFORMULA | VAL.FORMULA | É.FORMULA | Returns TRUE if there is a reference to a cell that contains a formula | |
ISLOGICAL | ESTLOGIQUE | ISTLOG | ESLOGICO | VAL.LOGICO | É.LÓGICO | Returns TRUE if the value is a logical value | |
ISNA | ESTNA | ISTNV | ESNOD | VAL.NON.DISP | É.NÃO.DISP | Returns TRUE if the value is the #N/A error value | |
ISNONTEXT | ESTNONTEXTE | ISTKTEXT | ESNOTEXTO | VAL.NON.TESTO | É.NÃO.TEXTO | Returns TRUE if the value is not text | |
ISNUMBER | ESTNUM | ISTZAHL | ESNUMERO | VAL.NUMERO | É.NÚM | Returns TRUE if the value is a number | |
ISO.CEILING | ISO.PLAFOND | ISO.OBERGRENZE | MULTIPLO.SUPERIOR.ISO | ISO.ARROTONDA.ECCESSO | ARRED.EXCESSO.ISO | Rounds a number up, to the nearest integer or to the nearest multiple of significance | |
ISODD | EST.IMPAIR | ISTUNGERADE | ES.IMPAR | VAL.DISPARI | ÉÍMPAR | Returns TRUE if the number is odd | |
ISOMITTED | ISOMITTED | ISOMITTED | ISOMITTED | ISOMITTED | ISOMITTED | Checks whether the value in a Lambda function is missing and returns TRUE or FALSE. | |
ISOWEEKNUM | NO.SEMAINE.ISO | ISOKALENDERWOCHE | ISO.NUM.DE.SEMANA | NUM.SETTIMANA.ISO | NUMSEMANAISO | Returns the number of the ISO week number of the year for a given date | |
ISPMT | ISPMT | ISPMT | INT.PAGO.DIR | INTERESSE.RATA | É.PGTO | Calculates the interest paid during a specific period of an investment | |
ISREF | ESTREF | ISTBEZUG | ESREF | VAL.RIF | É.REF | Returns TRUE if the value is a reference | |
ISTEXT | ESTTEXTE | ISTTEXT | ESTEXTO | VAL.TESTO | É.TEXTO | Returns TRUE if the value is text | |
JIS | JIS | JIS | JIS | JIS | JIS | Changes half-width (single-byte) English letters or katakana within a character string to full-width (double-byte) characters | |
KURT | KURTOSIS | KURT | CURTOSIS | CURTOSI | CURT | Returns the kurtosis of a data set | |
LAMBDA | LAMBDA | LAMBDA | LAMBDA | LAMBDA | LAMBDA | Functional expressions inside a calculation | |
LARGE | GRANDE.VALEUR | KGRÖSSTE | K.ESIMO.MAYOR | GRANDE | MAIOR | Returns the k-th largest value in a data set | |
LCM | PPCM | KGV | M.C.M | MCM | MMC | Returns the least common multiple | |
LEFT | GAUCHE | LINKS | IZQUIERDA | SINISTRA | ESQUERDA | Returns the leftmost characters from a text value | |
LEFTB | GAUCHEB | LINKSB | IZQUIERDAB | SINISTRAB | ESQUERDAB | Returns the leftmost characters from a text value | |
LEN | NBCAR | LÄNGE | LARGO | LUNGHEZZA | NÚM.CARACT | Returns the number of characters in a text string | |
LENB | LENB | LÄNGEB | LARGOB | LUNGB | NÚM.CARATB | Returns the number of characters in a text string | |
LET | LET | LET | LET | LET | LET | Associates expressions to names inside a calculation | |
LINEST | DROITEREG | RGP | ESTIMACION.LINEAL | REGR.LIN | PROJ.LIN | Returns the parameters of a linear trend | |
LN | LN | LN | LN | LN | LN | Returns the natural logarithm of a number | |
LOG | LOG | LOG | LOG | LOG | LOG | Returns the logarithm of a number to a specified base | |
LOG10 | LOG10 | LOG10 | LOG10 | LOG10 | LOG10 | Returns the base-10 logarithm of a number | |
LOGEST | LOGREG | RKP | ESTIMACION.LOGARITMICA | REGR.LOG | PROJ.LOG | Returns the parameters of an exponential trend | |
LOGINV | LOI.LOGNORMALE.INVERSE | LOGINV | DISTR.LOG.INV | INV.LOGNORM | INVLOG | Returns the inverse of the lognormal distribution | |
LOGNORM.DIST | LOI.LOGNORMALE.N | LOGNORM.VERT | DISTR.LOGNORM | DISTRIB.LOGNORM.N | DIST.NORMLOG | Returns the lognormal distribution of x, where ln(s) is normally distributed with parameters Mean and Standard-dev | |
LOGNORM.INV | LOI.LOGNORMALE.INVERSE.N | LOGNORM.INV | INV.LOGNORM | INV.LOGNORM.N | INV.NORMALLOG | Returns the inverse of the lognormal cumulative distribution of function x, where ln(x) is normally distributed with parameters Mean and Standard-dev | |
LOGNORMDIST | LOI.LOGNORMALE | LOGNORMVERT | DISTR.LOG.NORM | DISTRIB.LOGNORM | DIST.NORMALLOG | Returns the cumulative lognormal distribution | |
LOOKUP | RECHERCHE | VERWEIS | BUSCAR | CERCA | PROC | Looks up values in a vector or array | |
LOWER | MINUSCULE | KLEIN | MINUSC | MINUSC | MINÚSCULAS | Converts text to lowercase | |
MATCH | EQUIV | VERGLEICH | COINCIDIR | CONFRONTA | CORRESP | Looks up values in a reference or array | |
MAKEARRAY | MAKEARRAY | MAKEARRAY | MAKEARRAY | MAKEARRAY | MAKEARRAY | Returns a calculated array of a specified row and column size, by applying a Lambda function. | |
MAP | MAP | MAP | MAP | MAP | MAP | Returns an array formed by mapping each value in the array(s) to a new value by applying a Lambda function to create a new value. | |
MAX | MAX | MAX | MAX | MAX | MÁXIMO | Returns the maximum value in a list of arguments | |
MAXA | MAXA | MAXA | MAXA | MAX.VALORI | MÁXIMOA | Returns the maximum value in a list of arguments, including numbers, text, and logical values | |
MAXIFS | MAX.SI.ENS | MAXWENNS | MAX.SI.CONJUNTO | MAX.PIÙ.SE | MÁXIMO.SE.S | Specifies multiple conditions for calculating the maximum value | |
MDETERM | DETERMAT | MDET | MDETERM | MATR.DETERM | MATRIZ.DETERM | Returns the matrix determinant of an array | |
MDURATION | DUREE.MODIFIEE | MDURATION | DURACION.MODIF | DURATA.M | MDURAÇÃO | Returns the Macauley modified duration for a security with an assumed par value of $100 | |
MEDIAN | MEDIANE | MEDIAN | MEDIANA | MEDIANA | MED | Returns the median of the given numbers | |
MID | STXT | TEIL | EXTRAE | STRINGA.ESTRAI | SEG.TEXTO | Returns a specific number of characters from a text string starting at the position you specify | |
MIDB | MIDB | TEILB | EXTRAEB | MEDIA.B | SEG.TEXTOB | Returns a specific number of characters from a text string starting at the position you specify | |
MIN | MIN | MIN | MIN | MIN | MÍNIMO | Returns the minimum value in a list of arguments | |
MINA | MINA | MINA | MINA | MIN.VALORI | MÍNIMOA | Returns the smallest value in a list of arguments, including numbers, text, and logical values | |
MINIFS | MIN.SI | MINWENNS | MIN.SI.CONJUNTO | MIN.PIÙ.SE | MÍNIMO.SE.S | Specifies multiple conditions for calculating the minimum value | |
MINUTE | MINUTE | MINUTE | MINUTO | MINUTO | MINUTO | Converts a serial number to a minute | |
MINVERSE | INVERSEMAT | MINV | MINVERSA | MATR.INVERSA | MATRIZ.INVERSA | Returns the matrix inverse of an array | |
MIRR | TRIM | QIKV | TIRM | TIR.VAR | MTIR | Returns the internal rate of return where positive and negative cash flows are financed at different rates | |
MMULT | PRODUITMAT | MMULT | MMULT | MATR.PRODOTTO | MATRIZ.MULT | Returns the matrix product of two arrays | |
MOD | MOD | REST | RESIDUO | RESTO | RESTO | Returns the remainder from division | |
MODE | MODE | MODALWERT | MODA | MODA | MODA | Returns the most common value in a data set | |
MODE.MULT | MODE.MULTIPLE | MODUS.VIELF | MODA.VARIOS | MODA.MULT | MODO.MÚLT | Returns a vertical array of the most frequently occurring or repetitive values in an array or range of data | |
MODE.SNGL | MODE.SIMPLE | MODUS.EINF | MODA.UNO | MODA.SNGL | MODO.SIMPLES | Returns the most frequently occurring or repetitive value in an array or range of data | |
MONTH | MOIS | MONAT | MES | MESE | MÊS | Converts a serial number to a month | |
MROUND | ARRONDI.AU.MULTIPLE | VRUNDEN | REDOND.MULT | ARROTONDA.MULTIPLO | MARRED | Returns a number rounded to the desired multiple | |
MULTINOMIAL | MULTINOMIALE | POLYNOMIAL | MULTINOMIAL | MULTINOMIALE | POLINOMIAL | Returns the multinomial of a set of numbers | |
MUNIT | MATRICE.UNITAIRE | MEINHEIT | M.UNIDAD | MATR.UNIT | UNIDM | Returns the unit matrix or the specified dimension | |
N | N | N | N | NUM | N | Returns a value converted to a number | |
NA | NA | NV | NOD | NON.DISP | NÃO.DISP | Returns the error value #N/A | |
NEGBINOM.DIST | LOI.BINOMIALE.NEG.N | NEGBINOM.VERT | NEGBINOM.DIST | DISTRIB.BINOM.NEG.N | DIST.BINOM.NEG | Returns the negative binomial distribution, the probability that there will be Number_f failures before the number_s-th success, with Probability_s probability of a success | |
NEGBINOMDIST | LOI.BINOMIALE.NEG | NEGBINOMVERT | NEGBINOMDIST | DISTRIB.BINOM.NEG | DIST.BIN.NEG | Returns the negative binomial distribution | |
NETWORKDAYS.INTL | NB.JOURS.OUVRES.INTL | NETTOARBEITSTAGE.INTL | DIAS.LAB.INTL | GIORNI.LAVORATIVI.TOT.INTL | DIATRABALHOTOTAL.INTL | Returns the number of while workdays between two dates with custom weekend parameters | |
NETWORKDAYS | NB.JOURS.OUVRES | NETTOARBEITSTAGE | DIAS.LAB | GIORNI.LAVORATIVI.TOT | DIATRABALHOTOTAL | Returns the number of whole workdays between two dates | |
NOMINAL | TAUX.NOMINAL | NOMINAL | TASA.NOMINAL | NOMINALE | NOMINAL | Returns the annual nominal interest rate | |
NORM.DIST | LOI.NORMALE.N | NORM.VERT | DISTR.NORM.N | DISTRIB.NORM.N | DIST.NORMAL | Returns the normal distribution for the specified mean and standard deviations | |
NORM.INV | LOI.NORMALE.INVERSE.N | NORM.INV | INV.NORM | INV.NORM.N | INV.NORMAL | Returns the inverse of the normal cumulative distribution for the specified mean and standard deviations | |
NORM.S.DIST | LOI.NORMALE.STANDARD.N | NORM.S.VERT | DISTR.NORM.ESTAND.N | DISTRIB.NORM.ST.N | DIST.S.NORM | Returns the standard normal distribution (has a mean of zero and a standard deviation of one) | |
NORM.S.INV | LOI.NORMALE.STANDARD.INVERSE.N | NORM.S.INV | INV.NORM.ESTAND | INV.NORM.S | INV.S.NORM | Returns the inverse of the standard normal cumulative distribution (has a mean of zero and a standard deviation of one) | |
NORMDIST | LOI.NORMALE | NORMVERT | DISTR.NORM | DISTRIB.NORM | DIST.NORM | Returns the normal cumulative distribution | |
NORMINV | LOI.NORMALE.INVERSE | NORMINV | DISTR.NORM.INV | INV.NORM | INV.NORM | Returns the inverse of the normal cumulative distribution | |
NORMSDIST | LOI.NORMALE.STANDARD | STANDNORMVERT | DISTR.NORM.ESTAND | DISTRIB.NORM.ST | DIST.NORMP | Returns the standard normal cumulative distribution | |
NORMSINV | LOI.NORMALE.STANDARD.INVERSE | STANDNORMINV | DISTR.NORM.ESTAND.INV | INV.NORM.ST | INV.NORMP | Returns the inverse of the standard normal cumulative distribution | |
NOT | NON | NICHT | NO | NON | NÃO | Reverses the logic of its argument | |
NOW | MAINTENANT | JETZT | AHORA | ADESSO | AGORA | Returns the serial number of the current date and time | |
NPER | NPM | ZZR | NPER | NUM.RATE | NPER | Returns the number of periods for an investment | |
NPV | VAN | NBW | VNA | VAN | VAL | Returns the net present value of an investment based on a series of periodic cash flows and a discount rate | |
NUMBERVALUE | VALEURNOMBRE | ZAHLENWERT | VALOR.NUMERO | NUMERO.VALORE | VALOR.NÚMERO | Converts text to number in a locale-independent manner | |
OCT2BIN | OCTBIN | OKTINBIN | OCT.A.BIN | OCT.BINARIO | OCTABIN | Converts an octal number to binary | |
OCT2DEC | OCTDEC | OKTINDEZ | OCT.A.DEC | OCT.DECIMALE | OCTADEC | Converts an octal number to decimal | |
OCT2HEX | OCTHEX | OKTINHEX | OCT.A.HEX | OCT.HEX | OCTAHEX | Converts an octal number to hexadecimal | |
ODD | IMPAIR | UNGERADE | REDONDEA.IMPAR | DISPARI | ÍMPAR | Rounds a number up to the nearest odd integer | |
ODDFPRICE | PRIX.PCOUPON.IRREG | UNREGER.KURS | PRECIO.PER.IRREGULAR.1 | PREZZO.PRIMO.IRR | PREÇOPRIMINC | Returns the price for $100 face value of a security with an odd first period | |
ODDFYIELD | REND.PCOUPON.IRREG | UNREGER.REND | RENDTO.PER.IRREGULAR.1 | REND.PRIMO.IRR | LUCROPRIMINC | Returns the yield of a security with an odd first period | |
ODDLPRICE | PRIX.DCOUPON.IRREG | UNREGLE.KURS | PRECIO.PER.IRREGULAR.2 | PREZZO.ULTIMO.IRR | PREÇOÚLTINC | Returns the price per $100 face value of a security with an odd last period | |
ODDLYIELD | REND.DCOUPON.IRREG | UNREGLE.REND | RENDTO.PER.IRREGULAR.2 | REND.ULTIMO.IRR | LUCROÚLTINC | Returns the yield of a security with an odd last period | |
OFFSET | DECALER | BEREICH.VERSCHIEBEN | DESREF | SCARTO | DESLOCAMENTO | Returns a reference offset from a given reference | |
OR | OU | ODER | O | O | OU | Returns TRUE if any argument is TRUE | |
PDURATION | PDUREE | PDURATION | P.DURACION | DURATA.P | PDURAÇÃO | Returns the number of periods required by an investment to reach a specified value | |
PEARSON | PEARSON | PEARSON | PEARSON | PEARSON | PEARSON | Returns the Pearson product moment correlation coefficient | |
PERCENTILE.EXC | CENTILE.EXCLURE | QUANTIL.EXKL | PERCENTIL.EXC | ESC.PERCENTILE | PERCENTIL.EXC | Returns the k-th percentile of values in a range, where k is in the range 0...1, exclusive | |
PERCENTILE.INC | CENTILE.INCLURE | QUANTIL.INKL | PERCENTIL.INC | INC.PERCENTILE | PERCENTIL.INC | Returns the k-th percentile of values in a range, where k is in the range 0...1, inclusives | |
PERCENTILE | CENTILE | QUANTIL | PERCENTIL | PERCENTILE | PERCENTIL | Returns the k-th percentile of values in a range | |
PERCENTOF | PERCENTOF | PERCENTOF | PERCENTOF | PERCENTOF | PERCENTOF | returns the percentage that a subset makes up of a given data set. | |
PERCENTRANK.EXC | RANG.POURCENTAGE.EXCLURE | QUANTILSRANG.EXKL | RANGO.PERCENTIL.EXC | ESC.PERCENT.RANGO | ORDEM.PERCENTUAL.EXC | Returns the rank of a value in a data set as a percentage of the data set as a percentage (0...1, exclusive) of the data set | |
PERCENTRANK.INC | RANG.POURCENTAGE.INCLURE | QUANTILSRANG.INKL | RANGO.PERCENTIL.INC | INC.PERCENT.RANGO | ORDEM.PERCENTUAL.INC | Returns the rank of a value in a data set as a percentage of the data set as a percentage (0...1, inclusive) of the data set | |
PERCENTRANK | RANG.POURCENTAGE | QUANTILSRANG | RANGO.PERCENTIL | PERCENT.RANGO | ORDEM.PERCENTUAL | Returns the percentage rank of a value in a data set | |
PERMUT | PERMUTATION | VARIATIONEN | PERMUTACIONES | PERMUTAZIONE | PERMUTAR | Returns the number of permutations for a given number of objects | |
PERMUTATIONA | PERMUTATIONA | VARIATIONEN2 | PERMUTACIONES.A | PERMUTAZIONE.VALORI | PERMUTAR.R | Returns the number of permutations for a given number of objects (with repetitions) that can be selected from the total objects | |
PHI | PHI | PHI | FI | PHI | PHI | Returns the value of the density function for a standard normal distribution | |
PHONETIC | PHONETIQUE | PHONETIC | FONETICO | FURIGANA | FONÉTICA | Extracts the phonetic (furigana) characters from a text string | |
PI | PI | PI | PI | PI.GRECO | PI | X | Returns the value of pi |
PIVOTBY | PIVOTBY | PIVOTBY | PIVOTBY | PIVOTBY | PIVOTBY | allows to group, aggregate, sort, and filter data based on the row and column fields | |
PMT | VPM | RMZ | PAGO | RATA | PGTO | Returns the periodic payment for an annuity | |
POISSON.DIST | LOI.POISSON.N | POISSON.VERT | POISSON.DIST | DISTRIB.POISSON | DIST.POISSON | Returns the Poisson distribution | |
POISSON | LOI.POISSON | POISSON | POISSON | POISSON | POISSON | Returns the Poisson distribution | |
POWER | PUISSANCE | POTENZ | POTENCIA | POTENZA | POTÊNCIA | Returns the result of a number raised to a power | |
PPMT | PRINCPER | KAPZ | PAGOPRIN | P.RATA | PPGTO | Returns the payment on the principal for an investment for a given period | |
PRICE | PRIX.TITRE | KURS | PRECIO | PREZZO | PREÇO | Returns the price per $100 face value of a security that pays periodic interest | |
PRICEDISC | VALEUR.ENCAISSEMENT | KURSDISAGIO | PRECIO.DESCUENTO | PREZZO.SCONT | PREÇODESC | Returns the price per $100 face value of a discounted security | |
PRICEMAT | PRIX.TITRE.ECHEANCE | KURSFÄLLIG | PRECIO.VENCIMIENTO | PREZZO.SCAD | PREÇOVENC | Returns the price per $100 face value of a security that pays interest at maturity | |
PROB | PROBABILITE | WAHRSCHBEREICH | PROBABILIDAD | PROBABILITÀ | PROB | Returns the probability that values in a range are between two limits | |
PRODUCT | PRODUIT | PRODUKT | PRODUCTO | PRODOTTO | PRODUTO | Multiplies its arguments | |
PROPER | NOMPROPRE | GROSS2 | NOMPROPIO | MAIUSC.INIZ | INICIAL.MAIÚSCULA | Capitalizes the first letter in each word of a text value | |
PV | VA | BW | VA | VA | VP | Returns the present value of an investment | |
QUARTILE | QUARTILE | QUARTILE | CUARTIL | QUARTILE | QUARTIL | Returns the quartile of a data set | |
QUARTILE.EXC | QUARTILE.EXCLURE | QUARTILE.EXKL | CUARTIL.EXC | ESC.QUARTILE | QUARTIL.EXC | Returns the quartile of a data set, based on percentile values from 0...1, exclusive | |
QUARTILE.INC | QUARTILE.INCLURE | QUARTILE.INKL | CUARTIL.INC | INC.QUARTILE | QUARTIL.INC | Returns the quartile of a data set, based on percentile values from 0...1, inclusive | |
QUERYSTRING | QUERYSTRING | QUERYSTRING | QUERYSTRING | QUERYSTRING | QUERYSTRING | Computes the query string | |
QUOTIENT | QUOTIENT | QUOTIENT | COCIENTE | QUOZIENTE | QUOCIENTE | Returns the integer portion of a division | |
RADIANS | RADIANS | BOGENMASS | RADIANES | RADIANTI | RADIANOS | Converts degrees to radians | |
RAND | ALEA | ZUFALLSZAHL | ALEATORIO | CASUALE | ALEATÓRIO | Returns a random number between 0 and 1 | |
RANDARRAY | TABLEAU.ALEAT | ZUFALLSMATRIX | MATRIZALEAT | RANDARRAY | MATRIZALEATÓRIA | Returns an array of random numbers between 0 and 1. | |
RANDBETWEEN | ALEA.ENTRE.BORNES | ZUFALLSBEREICH | ALEATORIO.ENTRE | CASUALE.TRA | ALEATÓRIOENTRE | Returns a random number between the numbers you specify | |
RANK.AVG | MOYENNE.RANG | RANG.MITTELW | JERARQUIA.MEDIA | RANGO.MEDIA | ORDEM.MÉD | Returns the rank of a number in a list of numbers : its size relative to other values in the list; if more than one value has the same rank, the average rank is returned | |
RANK.EQ | EQUATION.RANG | RANG.GLEICH | JERARQUIA.EQV | RANGO.EQ | ORDEM.EQ | Returns the rank of a number in a list of numbers : its size relative to other values in the list; if more than one value has the same rank, the top rank of that set of values is returned | |
RANK | RANG | RANG | JERARQUIA | RANGO | ORDEM | Returns the rank of a number in a list of numbers | |
RATE | TAUX | ZINS | TASA | TASSO | TAXA | Returns the interest rate per period of an annuity | |
RECEIVED | VALEUR.NOMINALE | AUSZAHLUNG | CANTIDAD.RECIBIDA | RICEV.SCAD | RECEBER | Returns the amount received at maturity for a fully invested security | |
REDUCE | REDUCE | REDUCE | REDUCE | REDUCE | REDUCE | Reduces an array to an accumulated value by applying a Lambda function to each value and returning the total value in the accumulator. | |
REPLACE | REMPLACER | ERSETZEN | REEMPLAZAR | RIMPIAZZA | SUBSTITUIR | Replaces characters within text | |
REPLACEB | REMPLACERB | ERSETZENB | REEMPLAZARB | SOSTITUISCI.B | SUBSTITUIRB | Replaces characters within text | |
REPT | REPT | WIEDERHOLEN | REPETIR | RIPETI | REPETIR | Repeats text a given number of times | |
RIGHT | DROITE | RECHTS | DERECHA | DESTRA | DIREITA | Returns the rightmost characters from a text value | |
RIGHTB | DROITEB | RECHTSB | DERECHAB | DESTRA.B | DIREITAB | Returns the rightmost characters from a text value | |
ROMAN | ROMAIN | RÖMISCH | NUMERO.ROMANO | ROMANO | ROMANO | Converts an arabic numeral to roman, as text | |
ROUND | ARRONDI | RUNDEN | REDONDEAR | ARROTONDA | ARRED | Rounds a number to a specified number of digits | |
ROUNDDOWN | ARRONDI.INF | ABRUNDEN | REDONDEAR.MENOS | ARROTONDA.PER.DIF | ARRED.PARA.BAIXO | Rounds a number down, toward zero | |
ROUNDUP | ARRONDI.SUP | AUFRUNDEN | REDONDEAR.MAS | ARROTONDA.PER.ECC | ARREDO.PARA.CIMA | Rounds a number up, away from zero | |
ROW | LIGNE | ZEILE | FILA | RIF.RIGA | LIN | Returns the row number of a reference | |
ROWS | LIGNES | ZEILEN | FILAS | RIGHE | LINS | Returns the number of rows in a reference | |
RRI | TAUX.INT.EQUIV | ZSATZINVEST | RRI | RIT.INVEST.EFFETT | DEVOLVERTAXAJUROS | Returns an equivalent interest rate for the growth of an investment | |
RSQ | COEFFICIENT.DETERMINATION | BESTIMMTHEITSMASS | COEFICIENTE.R2 | RQ | RQUAD | Returns the square of the Pearson product moment correlation coefficient | |
RTD | RTD | RTD | RDTR | DATITEMPOREALE | RTD | ||
SCAN | SCAN | SCAN | SCAN | SCAN | SCAN | Scans an array by applying a Lambda function to each value and returns an array that has each intermediate value. | |
SEARCH | CHERCHE | SUCHEN | HALLAR | RICERCA | PROCURAR | Finds one text value within another (not case-sensitive) | |
SEARCHB | CHERCHERB | SUCHENB | HALLARB | CERCA.B | PROCURARB | Finds one text value within another (not case-sensitive) | |
SEC | SEC | SEC | SEC | SEC | SEC | Returns the secant of an angle | |
SECH | SECH | SECHYP | SECH | SECH | SECH | Returns the hyperbolic secant of an angle | |
SECOND | SECONDE | SEKUNDE | SEGUNDO | SECONDO | SEGUNDO | Converts a serial number to a second | |
SEQUENCE | SEQUENCE | SEQUENZ | SECUENCIA | SEQUENZA | SEQUÊNCIA | Generates a list of sequential numbers in an array, such as 1, 2, 3, 4. | |
SERIESSUM | SOMME.SERIES | POTENZREIHE | SUMA.SERIES | SOMMA.SERIE | SOMASÉRIE | Returns the sum of a power series based on the formula | |
SHEET | FEUILLE | BLATT | HOJA | FOGLIO | FOLHA | Returns the sheet number of the referenced sheet | |
SHEETS | FEUILLES | BLÄTTER | HOJAS | FOGLI | FOLHAS | Returns the number of sheets in a reference | |
SIGN | SIGNE | VORZEICHEN | SIGNO | SEGNO | SINAL | Returns the sign of a number | |
SIN | SIN | SIN | SENO | SEN | SEN | Returns the sine of the given angle | |
SINGLE | SINGLE | SINGLE | SINGLE | SINGLE | SINGLE | Returns a single value using logic known as implicit intersection | |
SINH | SINH | SINHYP | SENOH | SENH | SENH | Returns the hyperbolic sine of a number | |
SKEW | COEFFICIENT.ASYMETRIE | SCHIEFE | COEFICIENTE.ASIMETRIA | ASIMMETRIA | DISTORÇÃO | Returns the skewness of a distribution | |
SKEW.P | COEFFICIENT.ASYMETRIE.P | SCHIEFE.P | COEFICIENTE.ASIMETRIA.P | ASIMMETRIA.P | DISTORÇÃO.P | Returns the skewness of a distribution based on a population: a characterization of the degree of asymmetry of a distribution around its mean | |
SLN | AMORLIN | LIA | SLN | AMMORT.COST | AMORT | Returns the straight-line depreciation of an asset for one period | |
SLOPE | PENTE | STEIGUNG | PENDIENTE | PENDENZA | DECLIVE | Returns the slope of the linear regression line | |
SMALL | PETITE.VALEUR | KKLEINSTE | K.ESIMO.MENOR | PICCOLO | MENOR | Returns the k-th smallest value in a data set | |
SORT | TRI | SORTIEREN | ORDENAR | ORDINA | ORDENAR | Sorts the contents of a range or array | |
SORTBY | TRI.PAR | SORTIERENNACH | ORDENARPOR | ORDINA.PER | ORDENARPOR | Sorts the contents of a range or array based on the values in a corresponding range or array | |
SQRT | RACINE | WURZEL | RAIZ | RADQ | RAIZQ | Returns a positive square root | |
SQRTPI | RACINE.PI | WURZELPI | RAIZ2PI | RADQ.PI.GRECO | RAIZPI | Returns the square root of (number * pi) | |
STANDARDIZE | CENTREE.REDUITE | STANDARDISIERUNG | NORMALIZACION | NORMALIZZA | NORMALIZAR | Returns a normalized value | |
STDEV.P | ECARTYPE.PEARSON | STABW.N | DESVEST.P | DEV.ST.P | DESVPAD.P | Calculated standard deviation based on the entire population given as arguments | |
STDEV.S | ECARTYPE.STANDARD | STABW.S | DESVEST.M | DEV.ST.C | DESVPAD.S | Estimates standard deviation based on a sample | |
STDEV | ECARTYPE | STABW | DESVEST | DEV.ST | DESVPAD | Estimates standard deviation based on a sample | |
STDEVA | STDEVA | STABWA | DESVESTA | DEV.ST.VALORI | DESVPADA | Estimates standard deviation based on a sample, including numbers, text, and logical values | |
STDEVP | ECARTYPEP | STABWN | DESVESTP | DEV.ST.POP | DESVPADP | Calculates standard deviation based on the entire population | |
STDEVPA | STDEVPA | STABWNA | DESVESTPA | DEV.ST.POP.VALORI | DESVPADPA | Calculates standard deviation based on the entire population, including numbers, text, and logical values | |
STEYX | ERREUR.TYPE.XY | STFEHLERYX | ERROR.TIPICO.XY | ERR.STD.YX | EPADYX | Returns the standard error of the predicted y-value for each x in the regression | |
SUBSTITUTE | SUBSTITUE | WECHSELN | SUSTITUIR | SOSTITUISCI | SUBST | Substitutes new text for old text in a text string | |
SUBTOTAL | SOUS.TOTAL | TEILERGEBNIS | SUBTOTALES | SUBTOTALE | SUBTOTAL | Returns a subtotal in a list or database | |
SUM | SOMME | SUMME | SUMA | SOMMA | SOMA | Adds its arguments | |
SUMIF | SOMME.SI | SUMMEWENN | SUMAR.SI | SOMMA.SE | SOMA.SE | Adds the cells specified by a given criteria | |
SUMIFS | SOMME.SI.ENS | SUMMEWENNS | SUMAR.SI.CONJUNTO | SOMMA.PIÙ.SE | SOMA.SE.S | Adds the cells specified by a given set of conditions or criteria | |
SUMPRODUCT | SOMMEPROD | SUMMENPRODUKT | SUMAPRODUCTO | MATR.SOMMA.PRODOTTO | SOMARPRODUTO | Returns the sum of the products of corresponding array components | |
SUMSQ | SOMME.CARRES | QUADRATESUMME | SUMA.CUADRADOS | SOMMA.Q | SOMARQUAD | Returns the sum of the squares of the arguments | |
SUMX2MY2 | SOMME.X2MY2 | SUMMEX2MY2 | SUMAX2MENOSY2 | SOMMA.DIFF.Q | SOMAX2DY2 | Returns the sum of the difference of squares of corresponding values in two arrays | |
SUMX2PY2 | SOMME.X2PY2 | SUMMEX2PY2 | SUMAX2MASY2 | SOMMA.SOMMA.Q | SOMAX2SY2 | Returns the sum of the sum of squares of corresponding values in two arrays | |
SUMXMY2 | SOMME.XMY2 | SUMMEXMY2 | SUMAXMENOSY2 | SOMMA.Q.DIFF | SOMAXMY2 | Returns the sum of squares of differences of corresponding values in two arrays | |
SWITCH | SI.MULTIPLE | SWITCH | CAMBIAR | SWITCH | PARÂMETRO | Specifies multiple conditions and corresponding values to select if true | |
SYD | SYD | DIA | SYD | AMMORT.ANNUO | AMORTD | Returns the sum-of-years' digits depreciation of an asset for a specified period | |
T | T | T | T | T | T | Converts its arguments to text | |
T.DIST | LOI.STUDENT.N | T.VERT | DISTR.T.N | DISTRIB.T.N | DIST.T | Returns the left-tailed Student's T-distributione | |
T.DIST.2T | LOI.STUDENT.BILATERALE | T.VERT.2S | DISTR.T.2C | DISTRIB.T.2T | DIST.T.2C | Returns the two-tailed Student's T-distribution | |
T.DIST.RT | LOI.STUDENT.DROITE | T.VERT.RE | DISTR.T.CD | DISTRIB.T.DS | DIST.T.DIR | Returns the right-tailed Student's T-distribution | |
T.INV | LOI.STUDENT.INVERSE.N | T.INV | INV.T | INVT | INV.T | Returns the left-tailed inverse of the Student's T-distribution | |
T.INV.2T | LOI.STUDENT.INVERSE.BILATERALE | T.INV.2S | INV.T.2C | INV.T.2T | INV.T.2C | Returns the two-tailed inverse of the Student's T-distribution | |
T.TEST | T.TEST | T.TEST | PRUEBA.T | TESTT | TESTE.T | Returns the probability associated with a Student's T-test | |
TAN | TAN | TAN | TAN | TAN | TAN | Returns the tangent of a number | |
TANH | TANH | TANHYP | TANH | TANH | TANH | Returns the hyperbolic tangent of a number | |
TBILLEQ | TAUX.ESCOMPTE.R | TBILLÄQUIV | LETRA.DE.TES.EQV.A.BONO | BOT.EQUIV | OTN | Returns the bond-equivalent yield for a treasury bill | |
TBILLPRICE | PRIX.BON.TRESOR | TBILLKURS | LETRA.DE.TES.PRECIO | BOT.PREZZO | OTNVALOR | Returns the price per $100 face value for a treasury bill | |
TBILLYIELD | RENDEMENT.BON.TRESOR | TBILLRENDITE | LETRA.DE.TES.RENDTO | BOT.REND | OTNLUCRO | Returns the yield for a treasury bill | |
TDIST | LOI.STUDENT | TVERT | DISTR.T | DISTRIB.T | DISTT | Returns the Student's t-distribution | |
TEXT | TEXTE | TEXT | TEXTO | TESTO | TEXTO | Formats a number and converts it to text | |
TEXTJOIN | JOINDRE.TEXTE | TEXTJOIN | UNIRCADENAS | TESTO.UNISCI | UNIRTEXTO | Joins several text items into one text item with a delimiter | |
TIME | TEMPS | ZEIT | NSHORA | ORARIO | TEMPO | Returns the serial number of a particular time | |
TIMEVALUE | TEMPSVAL | ZEITWERT | HORANUMERO | ORARIO.VALORE | VALOR.TEMPO | Converts a time in the form of text to a serial number | |
TINV | LOI.STUDENT.INVERSE | TINV | DISTR.T.INV | INV.T | INVT | Returns the inverse of the Student's t-distribution | |
TODAY | AUJOURDHUI | HEUTE | HOY | OGGI | HOJE | Returns the serial number of today's date | |
TRANSPOSE | TRANSPOSE | MTRANS | TRANSPONER | MATR.TRASPOSTA | TRANSPOR | Returns the transpose of an array | |
TREND | TENDANCE | TREND | TENDENCIA | TENDENZA | TENDÊNCIA | Returns values along a linear trend | |
TRIM | SUPPRESPACE | GLÄTTEN | ESPACIOS | ANNULLA.SPAZI | COMPACTAR | Removes spaces from text | |
TRIMMEAN | MOYENNE.REDUITE | GESTUTZTMITTEL | MEDIA.ACOTADA | MEDIA.TRONCATA | MÉDIA.INTERNA | Returns the mean of the interior of a data set | |
TRUE | VRAI | WAHR | VERDADERO | VERO | VERDADEIRO | Returns the logical value of TRUE | |
TRUNC | TRONQUE | KÜRZEN | TRUNCAR | TRONCA | TRUNCAR | Truncates a number to an integer | |
TTEST | TEST.STUDENT | TTEST | PRUEBA.T | TEST.T | TESTET | Returns the probability associated with a Student's t-test | |
TYPE | TYPE | TYP | TIPO | TIPO | TIPO | Returns a number indicating the data type of a value | |
UNICHAR | UNICAR | UNIZEICHEN | UNICAR | CARATT.UNI | UNICAR | Returns the Unicode character that is references by the given numeric value | |
UNICODE | UNICODE | UNICODE | UNICODE | UNICODE | UNICODE | Returns the number (code point) that corresponds to the first character of the text | |
UNION | UNION | UNION | UNION | UNION | UNION | Returns the logical union of an arbitrary number of ranges | |
UNIQUE | UNIQUE | EINDEUTIG | ÚNICOS | VALORI.UNIVOCI | EXCLUSIVOS | Returns a list of unique values in a list or range. | |
UPPER | MAJUSCULE | GROSS | MAYUSC | MAIUSC | MAIÚSCULAS | Converts text to uppercase | |
VALUE | CNUM | WERT | VALOR | VALORE | VALOR | Converts a text argument to a number | |
VALUETOTEXT | VALUETOTEXT | VALUETOTEXT | VALUETOTEXT | VALUETOTEXT | VALUETOTEXT | Converts a value to text | |
VAR | VAR | VARIANZ | VAR | VAR | VAR | Estimates variance based on a sample | |
VAR.P | VAR.P | VAR.P | VAR.P | VAR.P | VAR.P | Calculates variance based on the entire population | |
VAR.S | VAR.S | VAR.S | VAR.S | VAR.C | VAR.S | Estimates variance based on a sample | |
VARA | VARA | VARIANZA | VARA | VAR.VALORI | VARA | Estimates variance based on a sample, including numbers, text, and logical values | |
VARP | VAR.P | VARIANZEN | VARP | VAR.POP | VARP | Calculates variance based on the entire population | |
VARPA | VARPA | VARIANZENA | VARPA | VAR.POP.VALORI | VARPA | Calculates variance based on the entire population, including numbers, text, and logical values | |
VDB | VDB | VDB | DVS | AMMORT.VAR | BDV | Returns the depreciation of an asset for a specified or partial period by using a declining balance method | |
VLOOKUP | RECHERCHEV | SVERWEIS | CONSULTAV | CERCA.VERT | PROCV | Looks in the first column of an array and moves across the row to return the value of a cell | |
WEBSERVICE | SERVICEWEB | WEBDIENST | SERVICIOWEB | SERVIZIO.WEB | SERVIÇOWEB | Returns data from a web service | |
WEEKDAY | JOURSEM | WOCHENTAG | DIASEM | GIORNO.SETTIMANA | DIA.SEMANA | Converts a serial number to a day of the week | |
WEEKNUM | NO.SEMAINE | KALENDERWOCHE | NUM.DE.SEMANA | NUM.SETTIMANA | NÚMSEMANA | Returns the week number in the year | |
WEIBULL | LOI.WEIBULL | WEIBULL | DIST.WEIBULL | WEIBULL | WEIBULL | Returns the Weibull distribution | |
WEIBULL.DIST | LOI.WEIBULL.N | WEIBULL.VERT | DISTR.WEIBULL | DISTRIB.WEIBULL | DIST.WEIBULL | Returns the Weibull distribution | |
WORKDAY | SERIE.JOUR.OUVRE | ARBEITSTAG | DIA.LAB | GIORNO.LAVORATIVO | DIATRABALHO | Returns the serial number of the date before or after a specified number of workdays | |
WORKDAY.INTL | SERIE.JOUR.OUVRE.INTL | ARBEITSTAG.INTL | DIA.LAB.INTL | GIORNO.LAVORATIVO.INTL | DIATRABALHO.INTL | Returns the serial number of the date before or after a specified number of workdays with custom weekend parameters | |
XIRR | TRI.PAIEMENTS | XINTZINSFUSS | TIR.NO.PER | TIR.X | XTIR | Returns the internal rate of return for a schedule of cash flows | |
XLOOKUP | RECHERCHEX | XVERWEIS | BUSCARX | CERCAX | PROCX | Looks in an array and returns the value of the corresponding cell from a return range | |
XMATCH | EQUIVX | XVERGLEICH | COINCIDIRX | CONFRONTAX | CORRESPX | Looks up a value in a range, array or table. Returns the position of the value (1-based). | |
XNPV | VAN.PAIEMENTS | XKAPITALWERT | VNA.NO.PER | VAN.X | XVAL | Returns the net present value for a schedule of cash flows | |
XOR | OUX | XODER | XO | XOR | XOU | Returns a logical exclusive OR of all arguments | |
YEAR | ANNEE | JAHR | AÑO | ANNO | ANO | Converts a serial number to a year | |
YEARFRAC | FRACTION.ANNEE | BRTEILJAHRE | FRAC.AÑO | FRAZIONE.ANNO | FRACÇÃOANO | Returns the year fraction representing the number of whole days between start_date and end_date | |
YIELD | RENDEMENT.TITRE | RENDITE | RENDTO | REND | LUCRO | Returns the yield on a security that pays periodic interest | |
YIELDDISC | RENDEMENT.SIMPLE | RENDITEDIS | RENDTO.DESC | REND.TITOLI.SCONT | LUCRODESC | Returns the annual yield for a discounted security. | |
YIELDMAT | RENDEMENT.TITRE.ECHEANCE | RENDITEFÄLL | RENDTO.VENCTO | REND.SCAD | LUCROVENC | Returns the annual yield of a security that pays interest at maturity | |
Z.TEST | Z.TEST | G.TEST | PRUEBA.Z | TESTZ | TESTE.Z | Returns the one-tailed P-value of a Z-test | |
ZTEST | TEST.Z | GTEST | PRUEBA.Z | TEST.Z | TESTEZ | Returns the one-tailed probability-value of a z-test |
All of functions above are supported by xlsgen for reading and writing.
Functions supported by the calculation engine (see above) : a subset of the over 500 built-in Excel functions are currently supported, and support for other functions is being added on a case by case basis. In addition, xlsgen does not currently provide calculation support for the following :
If, upon closing a workbook in Excel that was generated by xlsgen, Excel brings a prompt saying "Microsoft Excel recalculates formulas when opening files last saved by an earlier version of Excel (than the one currently running)", then you may avoid this behavior by setting the appropriate Excel target version
. See here.
Detailed here.
Detailed here.
xlsgen documentation. © ARsT Design all rights reserved.