Está en la página 1de 100

17/10/22, 20:13 MATLAB — Funciones

Puede ver la versión más reciente de esta página en inglés.

MATLAB — Funciones

Por categoría Lista alfabética

Aspectos fundamentales del lenguaje


Introducción de comandos
ans Most recent answer

clc Borrar la ventana de comandos

diary Log Command Window text to file

format Establecer el formato de visualización de salida

home Send cursor home

iskeyword Determine whether input is MATLAB keyword

more Control paged output in Command Window

commandwindow Select the Command Window

commandhistory Open Command History window

DisplayFormatOptions Output display format in Command Window

Matrices y arreglos
Crear y combinar arreglos

zeros Crear arreglo solo de ceros

ones Crear un arreglo solo de unos

rand Números aleatorios distribuidos de manera uniforme

true Logical 1 (true)

false Logical 0 (false)

eye Matriz identidad

diag Crear una matriz diagonal u obtener elementos diagonales de una matriz

blkdiag Block diagonal matrix

cat Concatenar arreglos

horzcat Concatenar arreglos horizontalmente

vertcat Concatenar arreglos verticalmente

repelem Repeat copies of array elements

repmat Repetir copias del arreglo

Crear cuadrículas
linspace Generar un vector espaciado linealmente

logspace Generar un vector espaciado logarítmicamente

freqspace Frequency spacing for frequency response

https://la.mathworks.com/help/matlab/referencelist.html?type=function 1/100
17/10/22, 20:13 MATLAB — Funciones

meshgrid Cuadrículas 2D y 3D

ndgrid Rectangular grid in N-D space

Determinar tamaño, forma y orden

length Longitud de la dimensión más grande de un arreglo

size Tamaño de arreglo

ndims Number of array dimensions

numel Número de elementos del arreglo

isscalar Determine whether input is scalar

issorted Determine if array is sorted

issortedrows Determine if matrix or table rows are sorted

isvector Determine whether input is vector

ismatrix Determine whether input is matrix

isrow Determine if input is row vector

iscolumn Determine if input is column vector

isempty Determinar si un arreglo está vacío

Remodelar y reorganizar
sort Ordenar los elementos de un arreglo

sortrows Sort rows of matrix or table

flip Invertir el orden de los elementos

fliplr Invertir un arreglo de izquierda a derecha

flipud Invertir un arreglo de arriba abajo

rot90 Rotate array 90 degrees

transpose Transponga un vector o una matriz

ctranspose Complex conjugate transpose

permute Permutar dimensiones de un arreglo

ipermute Inverse permute array dimensions

circshift Shift array circularly

shiftdim Shift array dimensions

reshape Remodelar arreglo

squeeze Eliminar dimensiones de longitud 1

Indexación
colon Crear vectores, subindexar arreglos e iterar bucles for

end Terminate block of code or indicate last array index

ind2sub Convert linear indices to subscripts

sub2ind Convert subscripts to linear indices

https://la.mathworks.com/help/matlab/referencelist.html?type=function 2/100
17/10/22, 20:13 MATLAB — Funciones

Tipos de datos
Tipos numéricos
Crear variables numéricas
double Arreglo de doble precisión

single Arreglos de precisión simple

int8 Arreglos enteros con signo de 8 bits

int16 Arreglos enteros con signo de 16 bits

int32 Arreglos enteros con signo de 32 bits

int64 64-bit signed integer arrays

uint8 Arreglos enteros sin signo de 8 bits

uint16 Arreglos enteros sin signo de 16 bits

uint32 32-bit unsigned integer arrays

uint64 64-bit unsigned integer arrays

Convertir entre tipos numéricos


cast Convert variable to different data type

typecast Convert data type without changing underlying data

Tipo de consulta y valor


allfinite Determine if all array elements are finite

anynan Determine if any array element is NaN

isinteger Determine whether input is integer array

isfloat Determine if input is floating-point array

isnumeric Determine whether input is numeric array

isreal Determine whether array uses complex storage

isfinite Determine which array elements are finite

isinf Determine which array elements are infinite

isnan Determinar qué elementos del arreglo son NaN

Límites de los valores numéricos


eps Floating-point relative accuracy

flintmax Largest consecutive integer in floating-point format

Inf Create array of all Inf values

intmax Largest value of specific integer type

intmin Smallest value of specific integer type

NaN Create array of all NaN values

realmax Largest positive floating-point number

realmin Smallest normalized floating-point number

Caracteres y cadenas

https://la.mathworks.com/help/matlab/referencelist.html?type=function 3/100
17/10/22, 20:13 MATLAB — Funciones

Crear, concatenar y convertir


Arreglos de cadenas

string Arreglo de cadenas

strings Create string array with no characters

join Combine strings

plus Add numbers, append strings

Arreglos de caracteres

char Character array

cellstr Convert to cell array of character vectors

blanks Create character array of blanks

newline Crear un carácter de línea nueva

Arreglos de caracteres o cadenas

compose Format data into multiple strings

sprintf Establecer el formato de datos como cadena o vector de caracteres

strcat Concatenar cadenas horizontalmente

append Combine strings

Convertir argumentos de entrada

convertCharsToStrings Convert character arrays to string arrays, leaving other arrays


unaltered

convertStringsToChars Convert string arrays to character arrays, leaving other arrays


unaltered

convertContainedStringsToChars Convert string arrays at any level of cell array or structure

Convertir entre valores numéricos y cadenas

double Arreglo de doble precisión

string Arreglo de cadenas

str2double Convert strings to double precision values

num2str Convertir números en un arreglo de caracteres

Determinar tipo y propiedades


ischar Determine if input is character array

iscellstr Determine if input is cell array of character vectors

isstring Determine if input is string array

isStringScalar Determine if input is string array with one element

strlength Lengths of strings

isstrprop Determine which characters in input strings are of specified category

isletter Determine which characters are letters

isspace Determine which characters are space characters

https://la.mathworks.com/help/matlab/referencelist.html?type=function 4/100
17/10/22, 20:13 MATLAB — Funciones

Buscar y reemplazar
contains Determinar si un patrón está en cadenas

matches Determine if pattern matches strings

count Count occurrences of pattern in strings

endsWith Determine if strings end with pattern

startsWith Determine if strings start with pattern

strfind Find strings within other strings

sscanf Read formatted data from strings

replace Find and replace one or more substrings

replaceBetween Replace substrings between start and end points

strrep Find and replace substrings

Patrones de coincidencia
Creación de patrones

pattern Patterns to search and match text

Patrones de coincidencia de caracteres

alphanumericsPattern Match letter and digit characters

characterListPattern Match characters from list

digitsPattern Match digit characters

lettersPattern Match letter characters

whitespacePattern Match whitespace characters

wildcardPattern Matches as few characters of any type

Reglas de búsqueda de patrones

optionalPattern Make pattern optional to match

possessivePattern Match pattern without backtracking

caseSensitivePattern Match pattern with case sensitivity

caseInsensitivePattern Match pattern regardless of case

asFewOfPattern Match pattern as few times as possible

asManyOfPattern Match pattern as many times as possible

Patrones de límites

alphanumericBoundary Match boundary between alphanumeric and non-alphanumeric characters

digitBoundary Match boundary between digit characters and non-digit characters

letterBoundary Match boundary between letter characters and non-letter characters

whitespaceBoundary Match boundary between whitespace characters and non-whitespace


characters

lineBoundary Match start or end of line

textBoundary Match start or end of text

https://la.mathworks.com/help/matlab/referencelist.html?type=function 5/100
17/10/22, 20:13 MATLAB — Funciones

lookAheadBoundary Match boundary before specified pattern

lookBehindBoundary Match boundary following specified pattern

Vista del patrón personalizado

maskedPattern Pattern with specified display name

namedPattern Designate named pattern

Expresiones regulares

regexp Match regular expression (case sensitive)

regexpi Match regular expression (case insensitive)

regexprep Replace text using regular expression

regexptranslate Translate text into regular expression

regexpPattern Pattern that matches specified regular expression

Unir y dividir
join Combine strings

plus Add numbers, append strings

split Split strings at delimiters

splitlines Split strings at newline characters

strjoin Join strings in array

strsplit Split string or character vector at specified delimiter

strtok Selected parts of strings

extract Extract substrings from strings

extractAfter Extract substrings after specified positions

extractBefore Extract substrings before specified positions

extractBetween Extract substrings between start and end points

Editar
erase Delete substrings within strings

eraseBetween Delete substrings between start and end points

extract Extract substrings from strings

extractAfter Extract substrings after specified positions

extractBefore Extract substrings before specified positions

extractBetween Extract substrings between start and end points

insertAfter Insert strings after specified substrings

insertBefore Insert strings before specified substrings

pad Add leading or trailing characters to strings

strip Remove leading and trailing characters from strings

lower Convert strings to lowercase

upper Convert strings to uppercase


https://la.mathworks.com/help/matlab/referencelist.html?type=function 6/100
17/10/22, 20:13 MATLAB — Funciones

reverse Reverse order of characters in strings

deblank Remove trailing whitespace from ends of strings

strtrim Remove leading and trailing whitespace from strings

strjust Justify strings

Comparar
matches Determine if pattern matches strings

strcmp Comparar cadenas

strcmpi Compare strings (case insensitive)

strncmp Compare first n characters of strings


(case sensitive)

strncmpi Compare first n characters of strings


(case insensitive)

Fechas y horas
Crear arreglos de fecha y hora
Momentos en el tiempo

datetime Arrays that represent points in time

dateshift Shift date or generate sequence of dates and times

NaT Not-a-Time

eomday Last day of month

lweekdate (Not recommended; use dateshift) Date of last occurrence of


weekday in month

nweekdate (Not recommended; use dateshift) Date of specific occurrence


of weekday in month

Duraciones

years Duration in years

days Duration in days

hours Duration in hours

minutes Duration in minutes

seconds Duration in seconds

milliseconds Duration in milliseconds

duration Lengths of time in fixed-length units

Duraciones de calendarios

calyears Calendar duration in years

calquarters Calendar duration in quarters

calmonths Calendar duration in months

calweeks Calendar duration in weeks

caldays Calendar duration in days

calendarDuration Lengths of time in variable-length calendar units

Calendario del mes

https://la.mathworks.com/help/matlab/referencelist.html?type=function 7/100
17/10/22, 20:13 MATLAB — Funciones

calendar Calendar for specified month

Momentos en el tiempo en formatos alternativos

datenum (Not recommended; use datetime or duration)


Convert date and time to serial date
number

now (Not recommended; use datetime) Current date and time as serial
date number

clock (Not recommended; use datetime) Current date and time as date
vector

date (Not recommended; use datetime("today")) Current date as


character vector

today (Not recommended; use datetime("today")) Current


date

eomdate (Not recommended; use dateshift) Last date of


month

Componentes de fecha y hora


Extraer componentes

year Year number of input date and time

quarter Quarter number of input date and time

month Month number or name of input date and time

week Week number of input date and time

day Day number or name of input date and time

weekday Day of week

hour Hour component of input date and time

minute Minute component of input date and time

second Seconds component of input date and time

weeknum (Not recommended; use week) Week in year

Dividir en componentes

ymd Year, month, and day numbers of datetime

hms Hour, minute, and second numbers of datetime or duration

datevec Convert date and time to vector of components

split Split calendar duration into numeric and duration units

time Convert time of calendar duration to duration

timeofday Elapsed time since midnight for datetime arrays

Calcular diferencias o cambiar fechas


between Calendar math differences

caldiff Calendar math successive differences

tzoffset Time zone offset from UTC

dateshift Shift date or generate sequence of dates and times

addtodate (Not recommended; use duration or


calendarDuration) Add time to serial date
number

https://la.mathworks.com/help/matlab/referencelist.html?type=function 8/100
17/10/22, 20:13 MATLAB — Funciones

etime (Not recommended; use datetime values or between)


Time elapsed between date
vectors

months (Not recommended; use between) Number of whole months between


dates

Consultar contenidos de arreglos


isbetween Determine elements within date and time interval

isregular Determine if input times are regular with respect to time or calendar
unit

isnat Determine NaT (Not-a-Time) elements

isdst Determine daylight saving time elements

isweekend Determine weekend elements

isdatetime Determine if input is datetime array

isduration Determine if input is duration array

iscalendarduration Determine if input is calendar duration array

Convertir a texto
string Arreglo de cadenas

char Character array

datestr (Not recommended; use string or char) Convert date


and time to string format

Excel, POSIX y otros sistemas de fecha y hora


convertTo Convert datetime values to numeric representations

exceltime Convert MATLAB datetime to Excel date number

posixtime Convert MATLAB datetime to POSIX time

juliandate Convert MATLAB datetime to Julian date

yyyymmdd Convert MATLAB datetime to YYYYMMDD numeric value

m2xdate (Not recommended; use exceltime) MATLAB date to Excel serial date number

x2mdate (Not recommended; use datetime) Excel serial date number to MATLAB serial date
number or datetime value

timezones List time zones

leapseconds List all leap seconds supported by datetime data


type

Compatibilidad con versiones anteriores


matlab.datetime.compatibility.convertDatenum Convert inputs to datetime values in a backward-compatible
way

Arreglos categóricos
Crear arreglos categóricos
categorical Array that contains values assigned to categories

discretize Group data into bins or categories

Determinar categorías y tipo


categories Categories of categorical array

iscategorical Determine whether input is categorical array


https://la.mathworks.com/help/matlab/referencelist.html?type=function 9/100
17/10/22, 20:13 MATLAB — Funciones

iscategory Determine if inputs are names of categories

isordinal Determine whether input is ordinal categorical array

isprotected Determine whether categories of categorical array are


protected

isundefined Find undefined elements in categorical array

Agregar, eliminar o modificar categorías


addcats Add categories to categorical array

mergecats Merge categories in categorical array

removecats Remove categories from categorical array

renamecats Rename categories in categorical array

reordercats Reorder categories in categorical array

setcats Set categories in categorical array

Resumir información
summary Print summary of table, timetable, or categorical array

countcats Count occurrences of categorical array elements by category

Tablas
Crear tablas y convertir tipo
table Table array with named variables that can contain different types

array2table Convert homogeneous array to table

cell2table Convert cell array to table

struct2table Convert structure array to table

table2array Convertir una tabla en un arreglo homogéneo

table2cell Convertir una tabla en un arreglo de celdas

table2struct Convert table to structure array

table2timetable Convert table to timetable

timetable2table Convert timetable to table

vartype Subscript into table or timetable by variable type

convertvars Convert table or timetable variables to specified data type

Leer y escribir archivos


readtable Create table from file

writetable Write table to file

detectImportOptions Create import options based on file content

spreadsheetImportOptions Import options object for Spreadsheets

getvaropts Get variable import options

setvaropts Set variable import options

setvartype Set variable data types

preview Preview eight rows from file using import options

https://la.mathworks.com/help/matlab/referencelist.html?type=function 10/100
17/10/22, 20:13 MATLAB — Funciones

parquetread Read columnar data from a Parquet file

parquetwrite Write columnar data to Parquet file

parquetinfo Get information about Parquet file

Información de resumen y gráfica apilada


summary Print summary of table, timetable, or categorical array

height Número de filas de una tabla

width Number of table variables

istable Determine if input is table

istabular Determine if input is table or timetable

head Get top rows of table, timetable, or tall array

tail Get bottom rows of table, timetable, or tall array

stackedplot Stacked plot of several variables with common x-axis

Ordenar, reorganizar y personalizar


Ordenar

sortrows Sort rows of matrix or table

unique Unique values in array

issortedrows Determine if matrix or table rows are sorted

topkrows Top rows in sorted order

Reorganizar variables

addvars Add variables to table or timetable

renamevars Rename variables in table or timetable

movevars Move variables in table or timetable

removevars Delete variables from table or timetable

splitvars Split multicolumn variables in table or timetable

mergevars Combine table or timetable variables into multicolumn variable

vartype Subscript into table or timetable by variable type

convertvars Convert table or timetable variables to specified data type

Remodelar

rows2vars Reorient table or timetable so that rows become variables

stack Stack data from input table or timetable into one variable in output table or
timetable

unstack Unstack data from single variable into multiple variables

inner2outer Invert nested table-in-table hierarchy in tables or timetables

Personalizar propiedades

addprop Add custom properties to table or timetable

rmprop Remove custom properties from table or timetable


https://la.mathworks.com/help/matlab/referencelist.html?type=function 11/100
17/10/22, 20:13 MATLAB — Funciones

Operaciones de combinación y conjuntos


join Combine two tables or timetables by rows using key variables

innerjoin Inner join between two tables or timetables

outerjoin Outer join between two tables or timetables

union Set union of two arrays

intersect Set intersection of two arrays

ismember Array elements that are members of set array

setdiff Set difference of two arrays

setxor Set exclusive OR of two arrays

Valores faltantes
anymissing Determine if any array element is missing

ismissing Find missing values

standardizeMissing Insert standard missing values

rmmissing Remove missing entries

fillmissing Fill missing values

Aplicar funciones al contenido de la tabla


groupcounts Number of group elements

groupfilter Filter by group

groupsummary Group summary computations

grouptransform Transform by group

findgroups Find groups and return group numbers

splitapply Split data into groups and apply function

rowfun Apply function to table or timetable rows

varfun Apply function to table or timetable variables

vartype Subscript into table or timetable by variable type

convertvars Convert table or timetable variables to specified data type

Horarios
Crear horarios y convertir tipo
timetable Timetable array with time-stamped rows and variables of different
types

timeseries2timetable Convert timeseries objects to timetable

table2timetable Convert table to timetable

array2timetable Convert homogeneous array to timetable

timetable2table Convert timetable to table

istimetable Determine if input is timetable

istabular Determine if input is table or timetable

summary Print summary of table, timetable, or categorical array

https://la.mathworks.com/help/matlab/referencelist.html?type=function 12/100
17/10/22, 20:13 MATLAB — Funciones

Leer y escribir archivos


readtimetable Create timetable from file

writetimetable Write timetable to file

detectImportOptions Create import options based on file content

spreadsheetImportOptions Import options object for Spreadsheets

getvaropts Get variable import options

setvaropts Set variable import options

setvartype Set variable data types

preview Preview eight rows from file using import options

parquetread Read columnar data from a Parquet file

parquetwrite Write columnar data to Parquet file

parquetinfo Get information about Parquet file

Subíndice por filas, rango de tiempo o tipo de variable


head Get top rows of table, timetable, or tall array

tail Get bottom rows of table, timetable, or tall array

unique Unique values in array

timerange Time range for timetable row subscripting

withtol Time tolerance for timetable row subscripting

vartype Subscript into table or timetable by variable type

Ordenar, desplazar y sincronizar


sortrows Sort rows of matrix or table

retime Resample or aggregate data in timetable, and resolve duplicate or irregular


times

synchronize Synchronize timetables to common time vector, and resample or aggregate data
from
input timetables

lag Time-shift data in timetable

containsrange Determine if timetable row times contain specified time range

overlapsrange Determine if timetable row times overlap specified time range

withinrange Determine if timetable row times are within specified time range

isregular Determine if input times are regular with respect to time or calendar
unit

Valores faltantes
anymissing Determine if any array element is missing

ismissing Find missing values

standardizeMissing Insert standard missing values

rmmissing Remove missing entries

fillmissing Fill missing values

Gráfica apilada

https://la.mathworks.com/help/matlab/referencelist.html?type=function 13/100
17/10/22, 20:13 MATLAB — Funciones

stackedplot Stacked plot of several variables with common x-axis

Estructuras
struct Arreglo de estructuras

fieldnames Nombres de campos de estructura o campos públicos de un objeto Java o Microsoft


COM

getfield Field of structure array

isfield Determine if input is structure array field

isstruct Determinar si una entrada es un arreglo de estructuras

orderfields Order fields of structure array

rmfield Eliminar campos de una estructura

setfield Assign value to structure array field

arrayfun Apply function to each element of array

structfun Apply function to each field of scalar structure

table2struct Convert table to structure array

struct2table Convert structure array to table

cell2struct Convert cell array to structure array

struct2cell Convertir una estructura en un arreglo de celdas

Arreglos de celdas
Crear un arreglo vacío
cell Arreglo de celdas

Convertir y comprobar el tipo


cell2mat Convertir un arreglo de celdas en un arreglo ordinario del tipo de datos subyacentes

cell2struct Convert cell array to structure array

cell2table Convert cell array to table

cellstr Convert to cell array of character vectors

mat2cell Convert array to cell array whose cells contain subarrays

num2cell Convert array to cell array with consistently sized cells

struct2cell Convertir una estructura en un arreglo de celdas

table2cell Convertir una tabla en un arreglo de celdas

iscell Determine if input is cell array

iscellstr Determine if input is cell array of character vectors

Procesar contenido
celldisp Display cell array contents

cellfun Apply function to each cell in cell array

cellplot Graphically display structure of cell array

Identificadores de funciones
https://la.mathworks.com/help/matlab/referencelist.html?type=function 14/100
17/10/22, 20:13 MATLAB — Funciones

function_handle Identificador de función

feval Evaluar una función

func2str Construct character vector from function handle

str2func Construct function handle from character vector

localfunctions Function handles to all local functions in MATLAB file

functions Information about function handle

Contenedores de mapas
containers.Map Object that maps unique keys to values

isKey Determine if Map object contains key

keys Return keys of Map object

remove Delete key-value pairs from Map object

values Return values of Map object

Series temporales
Objetos de series temporales
Crear, modificar y representar gráficamente

timeseries Create timeseries object

timeseries2timetable Convert timeseries objects to timetable

addevent Add event to timeseries

addsample Add data sample to timeseries object

append Concatenate timeseries objects in time

delevent Remove event from timeseries

delsample Remove sample from timeseries object

detrend Subtract mean or best-fit line from timeseries


object

filter Modify frequency content of timeseries objects

idealfilter timeseries ideal filter

plot Plot timeseries

resample Resample timeseries time vector

set Set timeseries properties

setabstime Set timeseries times as date character vectors

setinterpmethod Set default interpolation method for timeseries


object

setuniformtime Modify uniform timeseries time vector

synchronize Synchronize and resample two timeseries objects using common


time vector

Consultar

get Query timeseries properties

getabstime Convert timeseries time vector to cell array

getdatasamples Access timeseries data samples

https://la.mathworks.com/help/matlab/referencelist.html?type=function 15/100
17/10/22, 20:13 MATLAB — Funciones

getdatasamplesize timeseries data sample size

getinterpmethod timeseries interpolation method

getqualitydesc timeseries data quality

getsamples Subset of timeseries

getsampleusingtime Subset of timeseries data

gettsafteratevent Create timeseries at or after event

gettsafterevent Create timeseries after event

gettsatevent Create timeseries at event

gettsbeforeatevent Create timeseries at or before event

gettsbeforeevent Create timeseries before event

gettsbetweenevents Create timeseries between events

Estadística descriptiva

iqr Interquartile range of timeseries data

max Maximum of timeseries data

mean Mean of timeseries data

median Median of timeseries data

min Minimum of timeseries data

std Standard deviation of timeseries data

sum Sum of timeseries data

var Variance of timeseries data

Recopilaciones de series temporales


Crear, modificar y combinar

tscollection Create tscollection object

addsampletocollection Add sample to tscollection

addts Add timeseries to


tscollection

delsamplefromcollection Delete sample from tscollection

horzcat Horizontally concatenate tscollection objects

removets Remove timeseries from


tscollection

resample Resample tscollection time vector

set Set tscollection properties

setabstime Set tscollection times as date character vectors

settimeseriesnames Rename timeseries in


tscollection

vertcat Vertically concatenate tscollection objects

Consultar

get Query tscollection properties

getabstime Convert tscollection time vector to cell array

https://la.mathworks.com/help/matlab/referencelist.html?type=function 16/100
17/10/22, 20:13 MATLAB — Funciones

getsampleusingtime Subset of tscollection data

gettimeseriesnames Names of timeseries in


tscollection

isempty Determine if tscollection is empty

length Length of tscollection time vector

size Size of tscollection

Eventos de series temporales


tsdata.event Create tsdata.event object

findEvent Query tsdata.event by name

get Query tsdata.event properties

getTimeStr Query tsdata.event times

set Set tsdata.event properties

Identificación de tipos de datos


Tipos de datos numéricos
isfloat Determine if input is floating-point array

isinteger Determine whether input is integer array

islogical Determine if input is logical array

isnumeric Determine whether input is numeric array

isreal Determine whether array uses complex storage

issparse Determine whether input is sparse

Caracteres y cadenas
isstring Determine if input is string array

ischar Determine if input is character array

iscellstr Determine if input is cell array of character vectors

Fechas y horas
isdatetime Determine if input is datetime array

isduration Determine if input is duration array

iscalendarduration Determine if input is calendar duration array

Celdas, estructuras y tablas


iscell Determine if input is cell array

isstruct Determinar si una entrada es un arreglo de estructuras

istable Determine if input is table

istimetable Determine if input is timetable

istabular Determine if input is table or timetable

Otros tipos
is* Detect state

https://la.mathworks.com/help/matlab/referencelist.html?type=function 17/100
17/10/22, 20:13 MATLAB — Funciones

isa Determine if input has specified data type

iscategorical Determine whether input is categorical array

isenum Determine if variable is enumeration

isgraphics True for valid graphics object handles

isjava Determine if input is Java object

isobject Determine if input is MATLAB object

Información sobre las variables


whos List variables in workspace, with sizes and types

class Class of object

underlyingType Type of underlying data determining array behavior

isUnderlyingType Determine whether input has specified underlying data type

validateattributes Check validity of array

Conversión de tipos de datos


Números y texto
string Arreglo de cadenas

char Character array

cellstr Convert to cell array of character vectors

int2str Convertir enteros a caracteres

mat2str Convert matrix to characters

num2str Convertir números en un arreglo de caracteres

str2double Convert strings to double precision values

str2num Convert character array or string to numeric array

native2unicode Convert numeric bytes to Unicode character representation

unicode2native Convert Unicode character representation to numeric


bytes

Números binarios y hexadecimales


base2dec Convert text representation of base-n
integer to double value

bin2dec Convert text representation of binary integer to double value

dec2base Convert decimal integer to its base-n


representation

dec2bin Convert decimal integer to its binary representation

dec2hex Convert decimal integer to its hexadecimal representation

hex2dec Convert text representation of hexadecimal integer to double value

hex2num Convert IEEE hexadecimal format to double-precision number

num2hex Convert single- and double-precision numbers to IEEE hexadecimal format

Fechas y horas
datetime Arrays that represent points in time

duration Lengths of time in fixed-length units

https://la.mathworks.com/help/matlab/referencelist.html?type=function 18/100
17/10/22, 20:13 MATLAB — Funciones

matlab.datetime.compatibility.convertDatenum Convert inputs to datetime values in a backward-compatible


way

string Arreglo de cadenas

char Character array

cellstr Convert to cell array of character vectors

Arreglos categóricos, tablas y horarios


categorical Array that contains values assigned to categories

table2array Convertir una tabla en un arreglo homogéneo

table2cell Convertir una tabla en un arreglo de celdas

table2struct Convert table to structure array

array2table Convert homogeneous array to table

cell2table Convert cell array to table

struct2table Convert structure array to table

array2timetable Convert homogeneous array to timetable

table2timetable Convert table to timetable

timetable2table Convert timetable to table

Estructuras y arreglos de celdas


cell2mat Convertir un arreglo de celdas en un arreglo ordinario del tipo de datos subyacentes

cell2struct Convert cell array to structure array

mat2cell Convert array to cell array whose cells contain subarrays

num2cell Convert array to cell array with consistently sized cells

struct2cell Convertir una estructura en un arreglo de celdas

Operadores y operaciones elementales


Operaciones aritméticas
Aritmética básica
Adición

+ Add numbers, append strings

sum Suma de los elementos del arreglo

cumsum Cumulative sum

movsum Moving sum

Sustracción

- Sustracción

diff Diferencias y derivadas aproximadas

Multiplicación

.* Multiplicación

* Multiplicación de matrices

https://la.mathworks.com/help/matlab/referencelist.html?type=function 19/100
17/10/22, 20:13 MATLAB — Funciones

prod Product of array elements

cumprod Cumulative product

pagemtimes Page-wise matrix multiplication

tensorprod Tensor products between two tensors

División

./ División derecha de arreglos

.\ Left array division

/ Solve systems of linear equations xA = B for x

\ Resolver sistemas de ecuaciones lineales Ax = B para x

pagemldivide Page-wise left matrix divide

pagemrdivide Page-wise right matrix divide

Potencias

.^ Potencia elemento por elemento

^ Matrix power

Trasposición

.' Transponga un vector o una matriz

' Complex conjugate transpose

pagetranspose Page-wise transpose

pagectranspose Page-wise complex conjugate transpose

Signo de arreglos

uminus Unary minus

uplus Unary plus

División y redondeo modulares


mod Resto después de una división (operación modular)

rem Resto después de una división

idivide Integer division with rounding option

ceil Redondear hacia infinito positivo

fix Redondear hacia cero

floor Redondear hacia infinito negativo

round Redondear al decimal o entero más próximo

Funciones binarias personalizadas


bsxfun Apply element-wise operation to two arrays with implicit
expansion enabled

Operaciones relacionales

https://la.mathworks.com/help/matlab/referencelist.html?type=function 20/100
17/10/22, 20:13 MATLAB — Funciones

== Determine equality

>= Determine greater than or equal to

> Determine greater than

<= Determine less than or equal to

< Determine less than

~= Determine inequality

isequal Determine array equality

isequaln Determine array equality, treating NaN values as equal

Operaciones lógicas (booleanas)


& Encontrar AND lógico

~ Encontrar NOT lógico

| Encontrar OR lógico

xor Encontrar OR exclusivo lógico

all Determine if all array elements are nonzero or true

any Determine if any array elements are nonzero

false Logical 0 (false)

find Encontrar índices y valores de elementos distintos a cero

islogical Determine if input is logical array

logical Convertir valores numéricos en lógicos

true Logical 1 (true)

Operaciones con conjuntos


intersect Set intersection of two arrays

ismember Array elements that are members of set array

setdiff Set difference of two arrays

setxor Set exclusive OR of two arrays

union Set union of two arrays

unique Unique values in array

ismembertol Members of set within tolerance

uniquetol Unique values within tolerance

join Combine two tables or timetables by rows using key variables

innerjoin Inner join between two tables or timetables

outerjoin Outer join between two tables or timetables

Operaciones bit por bit

bitand Bit-wise AND

bitor Bit-wise OR

bitxor Bit-wise XOR

https://la.mathworks.com/help/matlab/referencelist.html?type=function 21/100
17/10/22, 20:13 MATLAB — Funciones

bitcmp Bit-wise complement

bitget Get bit at specified position

bitset Set bit at specific location

bitshift Shift bits specified number of places

swapbytes Swap byte ordering

Bucles e instrucciones condicionales


if, elseif, else Ejecutar instrucciones si la condición es verdadera

switch, case, otherwise Ejecutar uno de varios grupos de instrucciones

for Bucle for para repetir un número determinado de veces

while Bucle while para repetir cuando la condición es verdadera

try, catch Ejecutar instrucciones y detectar los errores resultantes

break Terminar la ejecución del bucle for o while

return Devolver el control al script o la función invocadores

continue Pasar el control a la siguiente iteración de un bucle for o while

pause Stop MATLAB execution temporarily

parfor Parallel for loop

end Terminate block of code or indicate last array index

Importación y análisis de datos


Importar y exportar datos
Formatos de archivo estándar
Archivos de texto
Leer y escribir tablas u horarios
Importación y exportación básicas
readtable Create table from file

writetable Write table to file

readtimetable Create timetable from file

writetimetable Write timetable to file

Definir reglas de importación


detectImportOptions Create import options based on file content

delimitedTextImportOptions Import options object for delimited text

fixedWidthImportOptions Import options object for fixed-width text files

xmlImportOptions Import options object for XML files

htmlImportOptions Import options object for HTML files

wordDocumentImportOptions Import options object for Microsoft Word document files

getvaropts Get variable import options

setvaropts Set variable import options

setvartype Set variable data types

https://la.mathworks.com/help/matlab/referencelist.html?type=function 22/100
17/10/22, 20:13 MATLAB — Funciones

preview Preview eight rows from file using import options

Leer y escribir matrices y arreglos

readmatrix Read matrix from file

writematrix Write a matrix to a file

readcell Read cell array from file

writecell Write cell array to file

readvars Read variables from file

textscan Read formatted data from text file or string

type Display contents of file

fileread Read contents of file as text

readlines Read lines of file as string array

writelines Write text to file

Otros

tabularTextDatastore Datastore for tabular text files

Hojas de cálculo
Leer y escribir tablas u horarios

readtable Create table from file

writetable Write table to file

readtimetable Create timetable from file

writetimetable Write timetable to file

sheetnames Get sheet names from spreadsheet file

detectImportOptions Create import options based on file content

spreadsheetImportOptions Import options object for Spreadsheets

getvaropts Get variable import options

setvaropts Set variable import options

setvartype Set variable data types

preview Preview eight rows from file using import options

Leer y escribir matrices y arreglos

readmatrix Read matrix from file

writematrix Write a matrix to a file

readcell Read cell array from file

writecell Write cell array to file

readvars Read variables from file

importdata Cargar los datos de un archivo

https://la.mathworks.com/help/matlab/referencelist.html?type=function 23/100
17/10/22, 20:13 MATLAB — Funciones

Otros

spreadsheetDatastore Datastore for spreadsheet files

Imágenes
imfinfo Information about graphics file

imread Read image from graphics file

imwrite Write image to graphics file

Tiff MATLAB Gateway to LibTIFF library routines

Datos científicos
Archivos NetCDF

Leer o escribir archivos NetCDF


nccreate Create variable in netCDF file

ncdisp Display contents of NetCDF data source in Command Window

ncinfo Return information about


NetCDF data source

ncread Read data from variable in NetCDF data source

ncreadatt Read attribute value from NetCDF data source

ncwrite Write data to NetCDF file

ncwriteatt Write attribute to NetCDF file

ncwriteschema Add NetCDF schema definitions to NetCDF file

Paquete de biblioteca de NetCDFFunciones de la biblioteca


netcdf.getChunkCache Retrieve chunk cache settings for NetCDF library

netcdf.inqLibVers Return NetCDF library version information

netcdf.setChunkCache Set default chunk cache settings for NetCDF library

netcdf.setDefaultFormat Change default netCDF file format

Operaciones de archivos
netcdf.abort Revert recent netCDF file definitions

netcdf.close Close netCDF file

netcdf.create Create new netCDF dataset

netcdf.endDef End netCDF file define mode

netcdf.inq Return information about netCDF file

netcdf.inqFormat Determine format of NetCDF file

netcdf.inqGrps Retrieve array of child group IDs

netcdf.inqUnlimDims Return list of unlimited dimensions in group

netcdf.open Open NetCDF data source

netcdf.reDef Put open netCDF file into define mode

netcdf.setFill Set netCDF fill mode

netcdf.sync Synchronize netCDF file to disk

Dimensiones
https://la.mathworks.com/help/matlab/referencelist.html?type=function 24/100
17/10/22, 20:13 MATLAB — Funciones

netcdf.defDim Create netCDF dimension

netcdf.inqDim Return netCDF dimension name and length

netcdf.inqDimID Return dimension ID

netcdf.renameDim Change name of netCDF dimension

Grupos
netcdf.defGrp Create group in NetCDF file

netcdf.inqDimIDs Retrieve list of dimension identifiers in group

netcdf.inqGrpName Retrieve name of group

netcdf.inqGrpNameFull Complete pathname of group

netcdf.inqGrpParent Retrieve ID of parent group

netcdf.inqNcid Return ID of named group

netcdf.inqVarIDs IDs of all variables in group

Variables
netcdf.defVarFill Define fill parameters for NetCDF variable

netcdf.defVar Create NetCDF variable

netcdf.defVarChunking Define chunking behavior for NetCDF variable

netcdf.defVarDeflate Define compression parameters for NetCDF variable

netcdf.defVarFletcher32 Define checksum parameters for NetCDF variable

netcdf.getVar Read data from NetCDF variable

netcdf.inqVar Information about variable

netcdf.inqVarChunking Determine chunking settings for NetCDF variable

netcdf.inqVarDeflate Determine compression settings for NetCDF variable

netcdf.inqVarFill Determine values of fill parameters for NetCDF variable

netcdf.inqVarFletcher32 Fletcher32 checksum setting for NetCDF variable

netcdf.inqVarID Return ID associated with variable name

netcdf.putVar Write data to netCDF variable

netcdf.renameVar Change name of netCDF variable

Atributos
netcdf.copyAtt Copy attribute to new location

netcdf.delAtt Delete netCDF attribute

netcdf.getAtt Return NetCDF attribute

netcdf.inqAtt Return information about netCDF attribute

netcdf.inqAttID Return ID of netCDF attribute

netcdf.inqAttName Return name of netCDF attribute

netcdf.putAtt Write NetCDF attribute

netcdf.renameAtt Change name of attribute

Tipos definidos por el usuario


netcdf.defVlen Define user-defined variable length array type (NC_VLEN)

https://la.mathworks.com/help/matlab/referencelist.html?type=function 25/100
17/10/22, 20:13 MATLAB — Funciones

netcdf.inqUserType Return information about user-defined type

netcdf.inqVlen Return information about user-defined NC_VLEN type

Utilidades
netcdf.getConstant Return numeric value of named constant

netcdf.getConstantNames Return list of constants known to netCDF library

Archivos HDF5

h5create Create HDF5 dataset

h5disp Display contents of HDF5 file

h5info Information about HDF5 file

h5read Read data from HDF5 dataset

h5readatt Read attribute from HDF5 file

h5write Write to HDF5 dataset

h5writeatt Write HDF5 attribute

Archivos HDF4

Funciones de alto nivel


hdfinfo Information about HDF4 or HDF-EOS2 file

hdfread Read data from HDF4 or HDF-EOS2 file

imread Read image from graphics file

imwrite Write image to graphics file

Funciones de bajo nivel


matlab.io.hdf4.sd Interact directly with HDF4 multifile scientific data
set (SD) interface

matlab.io.hdfeos.gd Low-level access to HDF-EOS grid data

matlab.io.hdfeos.sw Low-level access to HDF-EOS swath files

Otros
hdfan Gateway to HDF multifile annotation (AN) interface

hdfhx Gateway to HDF external data (HX) interface

hdfh Gateway to HDF H interface

hdfhd Gateway to HDF HD interface

hdfhe Gateway to HDF HE interface

hdfml Utilities for working with MATLAB HDF gateway functions

hdfpt Interface to HDF-EOS Point object

hdfv Gateway to HDF Vgroup (V) interface

hdfvf Gateway to VF functions in HDF Vdata interface

hdfvh Gateway to VH functions in HDF Vdata interface

hdfvs Gateway to VS functions in HDF Vdata interface

hdfdf24 Gateway to HDF 24-bit raster image (DF24) interface

https://la.mathworks.com/help/matlab/referencelist.html?type=function 26/100
17/10/22, 20:13 MATLAB — Funciones

hdfdfr8 Gateway to HDF 8-bit raster image (DFR8) interface

Archivos FITS

Funciones de alto nivel


fitsdisp Display FITS metadata

fitsinfo Information about FITS file

fitsread Read data from FITS file

fitswrite Write image to FITS file

Funciones de bajo nivelAcceso a archivos


createFile Create FITS file

openFile Open FITS file

openDiskFile Open FITS file

closeFile Close FITS file

deleteFile Delete FITS file

fileName Name of FITS file

fileMode I/O mode of FITS file

Manipulación de imágenes
createImg Create FITS image

getImgSize Size of image

getImgType Data type of image

insertImg Insert FITS image after current image

readImg Read image data

setBscale Reset image scaling

writeImg Write to FITS image

Palabras clave
readCard Header record of keyword

readKey Keyword

readKeyCmplx Keyword as complex scalar value

readKeyDbl Keyword as double precision value

readKeyLongLong Keyword as int64

readKeyLongStr Long string value

readKeyUnit Physical units string from keyword

readRecord Header record specified by number

writeComment Write or append COMMENT keyword to CHU

writeDate Write DATE keyword to CHU

writeKey Update or add new keyword into current HDU

writeKeyUnit Write physical units string

writeHistory Write or append HISTORY keyword to CHU

https://la.mathworks.com/help/matlab/referencelist.html?type=function 27/100
17/10/22, 20:13 MATLAB — Funciones

deleteKey Delete key by name

deleteRecord Delete key by record number

getHdrSpace Number of keywords in header

Acceso a unidad de datos de encabezado (HDU)


copyHDU Copy current HDU from one file to another

getHDUnum Number of current HDU in FITS file

getHDUtype Type of current HDU

getNumHDUs Total number of HDUs in FITS file

movAbsHDU Move to absolute HDU number

movNamHDU Move to first HDU having specific type and keyword values

movRelHDU Move relative number of HDUs from current HDU

writeChecksum Compute and write checksum for current HDU

deleteHDU Delete current HDU in FITS file

Compresión de imágenes
imgCompress Compress HDU from one file into another

isCompressedImg Determine if current image is compressed

setCompressionType Set image compression type

setHCompScale Set scale parameter for HCOMPRESS algorithm

setHCompSmooth Set smoothing for images compressed with HCOMPRESS

setTileDim Set tile dimensions

Tablas ASCII y binarias


createTbl Create new ASCII or binary table extension

insertCol Insert column into table

insertRows Insert rows into table

insertATbl Insert ASCII table after current HDU

insertBTbl Insert binary table after current HDU

deleteCol Delete column from table

deleteRows Delete rows from table

getAColParms ASCII table information

getBColParms Binary table information

getColName Table column name

getColType Scaled column data type, repeat value, width

getEqColType Column data type, repeat value, width

getNumCols Number of columns in table

getNumRows Number of rows in table

readATblHdr Read header information from current ASCII table

readBTblHdr Read header information from current binary table

readCol Read rows of ASCII or binary table column

https://la.mathworks.com/help/matlab/referencelist.html?type=function 28/100
17/10/22, 20:13 MATLAB — Funciones

setTscale Reset image scaling

writeCol Write elements into ASCII or binary table column

Utilidades
getConstantValue Numeric value of named constant

getVersion Revision number of the CFITSIO library

getOpenFiles List of open FITS files

Archivos de banda intercalada

multibandread Read band-interleaved data from binary file

multibandwrite Write band-interleaved data to file

Formato de datos comunes

cdfinfo Information about Common Data Format (CDF) file

cdfread Read data from Common Data Format (CDF) file

cdfepoch Convert date text or serial date number to CDF formatted


dates

todatenum Convert CDF epoch object to MATLAB serial date number

cdflib Interact directly with CDF library

Audio y vídeo
Leer o escribir vídeo

VideoReader Create object to read video files

read Read one or more video frames

readFrame Read next video frame

hasFrame Determine if video frame is available to read

getFileFormats File formats that VideoReader supports

mmfileinfo Information about multimedia file

VideoWriter Create object to write video files

open Open file for writing video data

writeVideo Write video data to file

close Close file after writing video data

getProfiles Profiles and file formats that VideoWriter supports

Leer o escribir audio

audioread Read audio file

audiowrite Write audio file

lin2mu Convert linear audio signal to mu-law

mu2lin Convert mu-law audio signal to linear

audioinfo Information about audio file

https://la.mathworks.com/help/matlab/referencelist.html?type=function 29/100
17/10/22, 20:13 MATLAB — Funciones

Reproducir o grabar audio

Reproducir audio
audioplayer Object for playing audio

isplaying Determine if playback is in progress

pause Pause playback of audioplayer object or recording of


audiorecorder object

play Play audio from audioplayer object

playblocking Play audio from audioplayer object; hold control until playback
completes

resume Resume playback of audioplayer object or recording of


audiorecorder object from
paused state

stop Stop playback of audioplayer object or recording of


audiorecorder object

Grabar audio
audiorecorder Object for recording audio

getaudiodata Store recorded audio signal in numeric array

getplayer Create associated audioplayer object

isrecording Determine if recording is in progress

record Record audio to audiorecorder object

recordblocking Record audio to audiorecorder object; hold control until recording


completes

Reproducir sonido
audiodevinfo Information about audio device

audiodevreset Refresh list of available audio devices

sound Convert matrix of signal data to sound

soundsc Scale data and play as sound

beep Produce operating system beep sound

Documentos XML y datos estructurados


Leer y escribir datos estructurados

readstruct Create structure from file

writestruct Write structure to file

Trabajar con Document Object Model (DOM) XML

xmlread Read XML document and return Document Object Model node

xmlwrite Write XML Document Object Model node

xslt Transform XML document using XSLT engine

API de MATLAB para el procesamiento de XML


Lectura y escritura de documentos XML
matlab.io.xml.dom.DOMWriter Writer that serializes an XML document

matlab.io.xml.dom.EntityResolver Abstract base class for entity resolvers

matlab.io.xml.dom.FileWriter Writer that creates a text file

https://la.mathworks.com/help/matlab/referencelist.html?type=function 30/100
17/10/22, 20:13 MATLAB — Funciones

matlab.io.xml.dom.Locator Location of element in XML file

matlab.io.xml.dom.Parser XML markup parser

matlab.io.xml.dom.ParserConfiguration XML parser options

matlab.io.xml.dom.ParseError Specifies XML markup parse error

matlab.io.xml.dom.ParseErrorHandler Abstract base class for parse error handlers

matlab.io.xml.dom.ParseErrorLocator Specifies location of parse error

matlab.io.xml.dom.ParseErrorSeverity Enumeration class denoting XML markup parse error severity

matlab.io.xml.dom.ResourceIdentifier XML resource identifier

matlab.io.xml.dom.ResourceIdentifierType XML resource identifier type

matlab.io.xml.dom.WriterConfiguration XML DOM writer options

DOM del W3C


matlab.io.xml.dom.Attr Attribute of XML element

matlab.io.xml.dom.CDATASection CDATA section

matlab.io.xml.dom.Comment Comment in XML document

matlab.io.xml.dom.Document XML Document

matlab.io.xml.dom.DocumentFragment Group of document nodes

matlab.io.xml.dom.DocumentType Document type

matlab.io.xml.dom.Element Element of XML document

matlab.io.xml.dom.Entity Entity defined by document type

matlab.io.xml.dom.NamedNodeMap Set of document nodes with names

matlab.io.xml.dom.NodeList List of document nodes

matlab.io.xml.dom.Notation Notation in document type definition

matlab.io.xml.dom.ProcessingInstruction XML processing instruction

matlab.io.xml.dom.Text Text in an XML document

matlab.io.xml.dom.TypeInfo Schema type information

Transformación de XML
matlab.io.xml.transform.CompiledStylesheet Compiled stylesheet

matlab.io.xml.transform.ResultDocument Store transformation result as document

matlab.io.xml.transform.ResultString Store transformation result as string

matlab.io.xml.transform.ResultFile Store transformation result as file

matlab.io.xml.transform.SourceDocument XML source document for transformation

matlab.io.xml.transform.SourceFile XML source file for transformation

matlab.io.xml.transform.SourceString XML source string for transformation

matlab.io.xml.transform.StylesheetSourceDocument Stylesheet source document for transformation

matlab.io.xml.transform.StylesheetSourceFile Stylesheet source file for transformation

matlab.io.xml.transform.StylesheetSourceString XSL source string for transformation

matlab.io.xml.transform.Tracer Trace execution of stylesheet

matlab.io.xml.transform.Transformer XML document transformer

https://la.mathworks.com/help/matlab/referencelist.html?type=function 31/100
17/10/22, 20:13 MATLAB — Funciones

Consultas de XPath
matlab.io.xml.xpath.CompiledExpression Compiled XPath expression

matlab.io.xml.xpath.EvalResultType Result type for XPath expression evaluation

matlab.io.xml.xpath.Evaluator XPath expression evaluator

matlab.io.xml.xpath.PrefixResolver Abstract base class for namespace prefix resolvers

Formato JSON
jsondecode Decode JSON-formatted text

jsonencode Create JSON-formatted text from structured MATLAB data

Variables del área de trabajo y archivos MAT


load Cargar variables en el área de trabajo desde un archivo

save Guardar variables del área de trabajo en un archivo

matfile Access and change variables in MAT-file without loading file into memory

disp Mostrar el valor de una variable

formattedDisplayText Capture display output as string

who List variables in workspace

whos List variables in workspace, with sizes and types

clear Remove items from workspace, freeing up system memory

clearvars Clear variables from memory

openvar Open workspace variable in Variables editor or other graphical editing


tool

E/S de archivo de bajo nivel

fclose Cerrar uno o todos los archivos abiertos

feof Test for end of file

ferror File I/O error information

fgetl Read line from file, removing newline characters

fgets Read line from file, keeping newline characters

fileread Read contents of file as text

fopen Open file, or obtain information about open files

fprintf Escribir datos en un archivo de texto

fread Read data from binary file

frewind Move file position indicator to beginning of open file

fscanf Read data from text file

fseek Move to specified position in file

ftell Current position

fwrite Write data to binary file

Comunicación de hardware y red


Comunicación en serie y USB

https://la.mathworks.com/help/matlab/referencelist.html?type=function 32/100
17/10/22, 20:13 MATLAB — Funciones

serialportlist List of serial ports connected to your system

serialport Connection to serial port

configureTerminator Set terminator for ASCII string communication with serial port

configureCallback Set callback function and trigger condition for communication with serial port
device

read Read data from serial port

readline Read line of ASCII string data from serial port

write Write data to serial port

writeline Write line of ASCII data to serial port

flush Clear serial port device buffers

getpinstatus Get serial pin status

setRTS Set serial RTS pin

setDTR Set serial DTR pin

Comunicación TCP/IP
tcpclient Create TCP/IP client connection with TCP/IP server

echotcpip Start or stop TCP/IP echo server

configureTerminator Set terminator for ASCII string communication with remote host over
TCP/IP

configureCallback Set callback function and trigger condition for communication with remote host over
TCP/IP

read Read data from remote host over TCP/IP

readline Read line of ASCII string data from remote host over TCP/IP

write Write data to remote host over TCP/IP

writeline Write line of ASCII data to remote host over TCP/IP

flush Clear buffers for communication with remote host over TCP/IP

Comunicación Bluetooth
bluetoothlist Scan nearby Bluetooth Classic devices

bluetooth Connect to Bluetooth Classic device

configureTerminator Set terminator for ASCII string communication with Bluetooth device

configureCallback Set callback function and trigger condition for communication with Bluetooth device

read Read data from Bluetooth device

readline Read line of ASCII string data from Bluetooth device

write Write data to Bluetooth device

writeline Write line of ASCII data to Bluetooth device

flush Clear Bluetooth device buffers

Comunicación mediante Bluetooth de baja energía


blelist Scan nearby Bluetooth Low Energy peripheral devices

ble Connect to Bluetooth Low Energy peripheral device

characteristic Access a characteristic on Bluetooth Low Energy peripheral device

https://la.mathworks.com/help/matlab/referencelist.html?type=function 33/100
17/10/22, 20:13 MATLAB — Funciones

descriptor Access a descriptor on Bluetooth Low Energy peripheral device

read Read characteristic or descriptor data on a Bluetooth Low Energy peripheral device

write Write data to a characteristic or descriptor on a Bluetooth Low Energy peripheral device

subscribe Subscribe to characteristic notification or indication

unsubscribe Unsubscribe from characteristic notification and indication

Acceso y transmisión web


Servicios web
webread Read content from RESTful web service

webwrite Write data to RESTful web service

websave Save content from RESTful web service to file

weboptions Specify parameters for RESTful web service

web Open web page or file in browser

sendmail Send email message to address list

Operaciones de archivos FTP


ftp Connection to FTP server to access its files

sftp Connection to SFTP server to access its files

ascii Set FTP transfer mode to ASCII

binary Set FTP transfer mode to binary

cd Change or view current folder on SFTP or FTP server

close Close connection to SFTP or FTP server

delete Delete file on SFTP or FTP server

dir List folder contents on SFTP or FTP server

mget Download files from SFTP or FTP server

mkdir Make new folder on SFTP or FTP server

mput Upload file or folder to SFTP or FTP server

rename Rename file on SFTP or FTP server

rmdir Remove folder on SFTP or FTP server

Datos de Internet of Things (IoT)


thingSpeakRead Read data stored in ThingSpeak channel

thingSpeakWrite Write data to ThingSpeak channel

Archivos de gran tamaño y big data


Función Datastore
Crear un almacén de datos
datastore Create datastore for large collections of data

tabularTextDatastore Datastore for tabular text files

spreadsheetDatastore Datastore for spreadsheet files

https://la.mathworks.com/help/matlab/referencelist.html?type=function 34/100
17/10/22, 20:13 MATLAB — Funciones

imageDatastore Datastore for image data

parquetDatastore Datastore for collection of Parquet files

fileDatastore Datastore with custom file reader

arrayDatastore Datastore for in-memory data

Leer y escribir desde un almacén de datos


read Read data in datastore

readall Read all data in datastore

preview Preview subset of data in datastore

hasdata Determine if data is available to read

reset Reset datastore to initial state

writeall Write datastore to files

Dividir y redistribuir un almacén de datos


shuffle Shuffle all data in datastore

isShuffleable Determine whether datastore is shuffleable

numpartitions Number of datastore partitions

partition Partition a datastore

isPartitionable Determine whether datastore is partitionable

Combinar o transformar almacenes de datos


combine Combine data from multiple datastores

transform Transform datastore

CombinedDatastore Datastore to combine data read from multiple underlying datastores

TransformedDatastore Datastore to transform underlying datastore

Integrar con MapReduce y arreglos altos


KeyValueDatastore Datastore for key-value pair data for use with
mapreduce

TallDatastore Datastore for checkpointing tall arrays

Desarrollar un almacén de datos personalizado


matlab.io.Datastore Base datastore class

matlab.io.datastore.Partitionable Add parallelization support to datastore

matlab.io.datastore.HadoopLocationBased Add Hadoop support to datastore

matlab.io.datastore.Shuffleable Add shuffling support to datastore

matlab.io.datastore.DsFileSet File-set object for collection of files in datastore

matlab.io.datastore.DsFileReader File-reader object for files in a datastore

matlab.io.datastore.FileWritable Add file writing support to datastore

matlab.io.datastore.FoldersPropertyProvider Add Folder property support to datastore

matlab.io.datastore.FileSet File-set for collection of files in datastore

https://la.mathworks.com/help/matlab/referencelist.html?type=function 35/100
17/10/22, 20:13 MATLAB — Funciones

matlab.io.datastore.BlockedFileSet Blocked file-set for collection of blocks within file

Arreglos altos
Creación y evaluación
tall Create tall array

datastore Create datastore for large collections of data

gather Collect tall array into memory after executing queued operations

write Write tall array to local and remote locations for checkpointing

mapreducer Define execution environment for mapreduce or tall arrays

tallrng Control random number generation for tall arrays

Determinar tipo
istall Determine if input is tall array

classUnderlying Class of underlying data in tall array

isaUnderlying Determine if tall array data is of specified class

Desarrollar algoritmos personalizados


matlab.tall.transform Transform array by applying function handle to blocks of data

matlab.tall.reduce Reduce arrays by applying reduction algorithm to blocks of data

matlab.tall.movingWindow Apply moving window function to blocks of data

matlab.tall.blockMovingWindow Apply moving window function and block reduction to padded blocks of
data

MapReduce

mapreduce Programming technique for analyzing data sets that do


not fit in memory

datastore Create datastore for large collections of data

add Add single key-value pair to KeyValueStore

addmulti Add multiple key-value pairs to KeyValueStore

hasnext Determine if ValueIterator has one or more values available

getnext Get next value from ValueIterator

mapreducer Define execution environment for mapreduce or tall arrays

gcmr Get current mapreducer configuration

KeyValueStore Store key-value pairs for use with mapreduce

ValueIterator An iterator over intermediate values for use with mapreduce

Archivos MAT de gran tamaño


matfile Access and change variables in MAT-file without loading file into memory

Archivos Parquet

parquetread Read columnar data from a Parquet file

parquetwrite Write columnar data to Parquet file

https://la.mathworks.com/help/matlab/referencelist.html?type=function 36/100
17/10/22, 20:13 MATLAB — Funciones

parquetinfo Get information about Parquet file

parquetDatastore Datastore for collection of Parquet files

matlab.io.RowFilter Selectively import rows of interest

Asignación de memoria
memmapfile Create memory map to a file

Preprocesamiento de datos
Datos ausentes y valores atípicos

anymissing Determine if any array element is missing

ismissing Find missing values

rmmissing Remove missing entries

fillmissing Fill missing values

missing Create missing values

standardizeMissing Insert standard missing values

isoutlier Find outliers in data

filloutliers Detect and replace outliers in data

rmoutliers Detect and remove outliers in data

movmad Moving median absolute deviation

Detección de puntos de cambio y de extremos locales


ischange Find abrupt changes in data

islocalmin Find local minima

islocalmax Find local maxima

Suavizado de datos y detección de tendencias

smoothdata Smooth noisy data

movmean Moving mean

movmedian Moving median

detrend Remove polynomial trend

trenddecomp Find trends in data

Normalización y escalado de datos


normalize Normalize data

rescale Scale range of array elements

Agrupación y discretización de datos

discretize Group data into bins or categories

groupcounts Number of group elements

groupfilter Filter by group

https://la.mathworks.com/help/matlab/referencelist.html?type=function 37/100
17/10/22, 20:13 MATLAB — Funciones

groupsummary Group summary computations

grouptransform Transform by group

histcounts Histogram bin counts

histcounts2 Bivariate histogram bin counts

findgroups Find groups and return group numbers

splitapply Split data into groups and apply function

rowfun Apply function to table or timetable rows

varfun Apply function to table or timetable variables

accumarray Accumulate vector elements

Estadística descriptiva
Estadística básica
min Elementos mínimos de un arreglo

mink Find k smallest elements of array

max Elementos máximos de un arreglo

maxk Find k largest elements of array

bounds Minimum and maximum values of an array

topkrows Top rows in sorted order

mean Valor medio o promedio de un arreglo

median Median value of array

mode Most frequent values in array

std Desviación estándar

var Variance

iqr Interquartile range of data set

quantile Quantiles of data set

prctile Percentiles of data set

rms Root-mean-square value

corrcoef Correlation coefficients

cov Covariance

xcorr Correlación cruzada

xcov Cross-covariance

Estadística acumulativa
cummax Cumulative maximum

cummin Cumulative minimum

Estadística móvil

movmad Moving median absolute deviation

movmax Moving maximum

https://la.mathworks.com/help/matlab/referencelist.html?type=function 38/100
17/10/22, 20:13 MATLAB — Funciones

movmean Moving mean

movmedian Moving median

movmin Moving minimum

movprod Moving product

movstd Moving standard deviation

movsum Moving sum

movvar Moving variance

Exploración visual
Herramientas de edición de gráficas

plotedit Interactively edit and annotate plots

plottools (Not recommended) Show or hide plot tools

showplottool (Not recommended) Show or hide specified plot tool

figurepalette (Not recommended) Show or hide the Figure Palette

plotbrowser (Not recommended) Show or hide the Plot Browser

propertyeditor (Not recommended) Show or hide the Property Editor

propedit (Not recommended) Open Property Editor

Sugerencias de datos y botones de la barra de herramientas

datatip Create data tip

dataTipTextRow Add row to data tips

axtoolbar Create axes toolbar

axtoolbarbtn Add buttons to axes toolbar

addToolbarExplorationButtons Add data exploration buttons to figure toolbar

removeToolbarExplorationButtons Remove data exploration buttons from figure toolbar

Interacciones integradas
panInteraction Pan interaction

rulerPanInteraction Ruler-pan interaction

zoomInteraction Zoom interaction

regionZoomInteraction Region-zoom interaction

rotateInteraction Rotate interaction

dataTipInteraction Data tip interaction

editInteraction Edit text interaction

enableDefaultInteractivity Enable built-in axes interactions

disableDefaultInteractivity Disable built-in axes interactions

Modos de interacción

pan Enable pan mode

https://la.mathworks.com/help/matlab/referencelist.html?type=function 39/100
17/10/22, 20:13 MATLAB — Funciones

zoom Enable zoom mode

rotate3d Enable rotate mode

datacursormode Enable data cursor mode

brush Interactively mark data values in a chart

enableLegacyExplorationModes Control behavior of modes in UI figures

Enlace de propiedades

linkdata Automatically update charted data

linkaxes Synchronize limits of multiple axes

linkprop Keep same value for corresponding properties of graphics


objects

refreshdata Refresh charted data

Matemáticas
Matemáticas elementales
Operaciones aritméticas
Aritmética básica
Adición

+ Add numbers, append strings

sum Suma de los elementos del arreglo

cumsum Cumulative sum

movsum Moving sum

Sustracción

- Sustracción

diff Diferencias y derivadas aproximadas

Multiplicación

.* Multiplicación

* Multiplicación de matrices

prod Product of array elements

cumprod Cumulative product

pagemtimes Page-wise matrix multiplication

tensorprod Tensor products between two tensors

División

./ División derecha de arreglos

.\ Left array division

/ Solve systems of linear equations xA = B for x

\ Resolver sistemas de ecuaciones lineales Ax = B para x

https://la.mathworks.com/help/matlab/referencelist.html?type=function 40/100
17/10/22, 20:13 MATLAB — Funciones

pagemldivide Page-wise left matrix divide

pagemrdivide Page-wise right matrix divide

Potencias

.^ Potencia elemento por elemento

^ Matrix power

Trasposición

.' Transponga un vector o una matriz

' Complex conjugate transpose

pagetranspose Page-wise transpose

pagectranspose Page-wise complex conjugate transpose

Signo de arreglos

uminus Unary minus

uplus Unary plus

División y redondeo modulares


mod Resto después de una división (operación modular)

rem Resto después de una división

idivide Integer division with rounding option

ceil Redondear hacia infinito positivo

fix Redondear hacia cero

floor Redondear hacia infinito negativo

round Redondear al decimal o entero más próximo

Funciones binarias personalizadas


bsxfun Apply element-wise operation to two arrays with implicit
expansion enabled

Trigonometría
Seno
sin Seno del argumento en radianes

sind Seno del argumento en grados

sinpi Compute sin(X*pi) accurately

asin Inverse sine in radians

asind Inverse sine in degrees

sinh Hyperbolic sine

asinh Inverse hyperbolic sine

Coseno

https://la.mathworks.com/help/matlab/referencelist.html?type=function 41/100
17/10/22, 20:13 MATLAB — Funciones

cos Coseno de un argumento en radianes

cosd Coseno de un argumento en grados

cospi Compute cos(X*pi) accurately

acos Coseno inverso en radianes

acosd Inverse cosine in degrees

cosh Hyperbolic cosine

acosh Inverse hyperbolic cosine

Tangente
tan Tangent of argument in radians

tand Tangent of argument in degrees

atan Tangente inversa en radianes

atand Inverse tangent in degrees

atan2 Tangente inversa de cuatro cuadrantes

atan2d Tangente inversa de cuatro cuadrantes en grados

tanh Tangente hiperbólica

atanh Inverse hyperbolic tangent

Cosecante
csc Cosecant of input angle in radians

cscd Cosecant of argument in degrees

acsc Inverse cosecant in radians

acscd Inverse cosecant in degrees

csch Hyperbolic cosecant

acsch Inverse hyperbolic cosecant

Secante
sec Secant of angle in radians

secd Secant of argument in degrees

asec Inverse secant in radians

asecd Inverse secant in degrees

sech Hyperbolic secant

asech Inverse hyperbolic secant

Cotangente
cot Cotangent of angle in radians

cotd Cotangent of argument in degrees

acot Inverse cotangent in radians

acotd Inverse cotangent in degrees

coth Hyperbolic cotangent

https://la.mathworks.com/help/matlab/referencelist.html?type=function 42/100
17/10/22, 20:13 MATLAB — Funciones

acoth Inverse hyperbolic cotangent

Hipotenusa
hypot Square root of sum of squares (hypotenuse)

Conversiones
deg2rad Convertir un ángulo de grados a radianes

rad2deg Convertir un ángulo de radianes a grados

cart2pol Transform Cartesian coordinates to polar or cylindrical

cart2sph Transform Cartesian coordinates to spherical

pol2cart Transform polar or cylindrical coordinates to Cartesian

sph2cart Transform spherical coordinates to Cartesian

Exponentes y logaritmos

exp Exponencial

expm1 Compute exp(x)-1 accurately for small values of x

log Logaritmo natural

log10 Logaritmo común (base 10)

log1p Compute log(1+x) accurately for small values of x

log2 Base 2 logarithm and floating-point number dissection

nextpow2 Exponent of next higher power of 2

nthroot Real nth root of real numbers

pow2 Base 2 exponentiation and scaling of floating-point numbers

reallog Natural logarithm for nonnegative real arrays

realpow Array power for real-only output

realsqrt Square root for nonnegative real arrays

sqrt Raíz cuadrada

Números complejos

abs Valor absoluto y magnitud compleja

angle Ángulo de fase

complex Create complex array

conj Conjugado complejo

cplxpair Sort complex numbers into complex conjugate pairs

i Imaginary unit

imag Parte imaginaria de un número complejo

isreal Determine whether array uses complex storage

j Imaginary unit

real Parte real de un número complejo

sign Función de signo (función signum)

https://la.mathworks.com/help/matlab/referencelist.html?type=function 43/100
17/10/22, 20:13 MATLAB — Funciones

unwrap Shift phase angles

Matemáticas discretas

factor Prime factors

factorial Factorial de una entrada

gcd Greatest common divisor

isprime Determine which array elements are prime

lcm Least common multiple

nchoosek Binomial coefficient or all combinations

perms Todas las permutaciones posibles

matchpairs Solve linear assignment problem

primes Prime numbers less than or equal to input value

rat Rational fraction approximation

rats Rational output

Polinomios

poly Polynomial with specified roots or characteristic polynomial

polyeig Polynomial eigenvalue problem

polyfit Ajuste polinomial de curvas

residue Partial fraction expansion (partial fraction decomposition)

roots Raíces de polinomios

polyval Evaluación de polinomios

polyvalm Matrix polynomial evaluation

conv Convolución y multiplicación polinomial

deconv Deconvolution and polynomial division

polyint Polynomial integration

polyder Polynomial differentiation

Funciones especiales
Funciones de Bessel
airy Airy Functions

besselh Bessel function of third kind (Hankel function)

besseli Modified Bessel function of first kind

besselj Bessel function of first kind

besselk Modified Bessel function of second kind

bessely Bessel function of second kind

Funciones beta
beta Beta function

betainc Incomplete beta function

https://la.mathworks.com/help/matlab/referencelist.html?type=function 44/100
17/10/22, 20:13 MATLAB — Funciones

betaincinv Beta inverse cumulative distribution function

betaln Logarithm of beta function

Funciones de error
erf Error function

erfc Complementary error function

erfcinv Inverse complementary error function

erfcx Scaled complementary error function

erfinv Inverse error function

Funciones gamma
gamma Gamma function

gammainc Incomplete gamma function

gammaincinv Inverse incomplete gamma function

gammaln Logarithm of gamma function

psi Digamma and polygamma functions

Otras funciones especiales


ellipj Jacobi elliptic functions

ellipke Complete elliptic integrals of first and second kind

expint Exponential integral function

legendre Associated Legendre functions

Constantes y matrices de prueba


eps Floating-point relative accuracy

flintmax Largest consecutive integer in floating-point format

i Imaginary unit

j Imaginary unit

Inf Create array of all Inf values

pi Relación de la circunferencia del círculo con su diámetro

NaN Create array of all NaN values

allfinite Determine if all array elements are finite

anynan Determine if any array element is NaN

isfinite Determine which array elements are finite

isinf Determine which array elements are infinite

isnan Determinar qué elementos del arreglo son NaN

compan Companion matrix

gallery Test matrices

hadamard Hadamard matrix

hankel Hankel matrix

https://la.mathworks.com/help/matlab/referencelist.html?type=function 45/100
17/10/22, 20:13 MATLAB — Funciones

hilb Hilbert matrix

invhilb Inverse of Hilbert matrix

magic Cuadrado mágico

pascal Pascal matrix

rosser Classic symmetric eigenvalue test problem

toeplitz Toeplitz matrix

vander Vandermonde matrix

wilkinson Wilkinson's eigenvalue test matrix

Álgebra lineal
Ecuaciones lineales

mldivide Resolver sistemas de ecuaciones lineales Ax = B para x

mrdivide Solve systems of linear equations xA = B for x

pagemldivide Page-wise left matrix divide

pagemrdivide Page-wise right matrix divide

decomposition Matrix decomposition for solving linear systems

lsqminnorm Minimum norm least-squares solution to linear equation

linsolve Solve linear system of equations

inv Inversa de la matriz

pageinv Page-wise matrix inverse

pinv Moore-Penrose pseudoinverse

lscov Least-squares solution in presence of known covariance

lsqnonneg Solve nonnegative linear least-squares problem

sylvester Solve Sylvester equation AX + XB = C for X

Valores propios y valores singulares

eig Eigenvalues and eigenvectors

eigs Subset of eigenvalues and eigenvectors

balance Diagonal scaling to improve eigenvalue accuracy

svd Singular value decomposition

pagesvd Page-wise singular value decomposition

svds Subset of singular values and vectors

svdsketch Compute SVD of low-rank matrix sketch

gsvd Generalized singular value decomposition

ordeig Eigenvalues of quasitriangular matrices

ordqz Reorder eigenvalues in QZ factorization

ordschur Reorder eigenvalues in Schur factorization

polyeig Polynomial eigenvalue problem

qz QZ factorization for generalized eigenvalues

https://la.mathworks.com/help/matlab/referencelist.html?type=function 46/100
17/10/22, 20:13 MATLAB — Funciones

hess Hessenberg form of matrix

schur Schur decomposition

rsf2csf Convert real Schur form to complex Schur form

cdf2rdf Convert complex diagonal form to real block diagonal form

Descomposición de matrices

lu LU matrix factorization

ldl Block LDL' factorization for Hermitian indefinite matrices

chol Cholesky factorization

cholupdate Rank 1 update to Cholesky factorization

qr QR decomposition

qrdelete Remove column or row from QR factorization

qrinsert Insert column or row into QR factorization

qrupdate Rank 1 update to QR factorization

planerot Givens plane rotation

Operaciones con matrices

transpose Transponga un vector o una matriz

ctranspose Complex conjugate transpose

pagetranspose Page-wise transpose

pagectranspose Page-wise complex conjugate transpose

mtimes Multiplicación de matrices

pagemtimes Page-wise matrix multiplication

mpower Matrix power

sqrtm Matrix square root

expm Exponencial de una matriz

logm Matrix logarithm

funm Evaluate general matrix function

kron Kronecker tensor product

cross Producto cruz

dot Producto punto

Estructura de la matriz

bandwidth Lower and upper matrix bandwidth

tril Parte triangular inferior de una matriz

triu Parte triangular superior de una matriz

isbanded Determine if matrix is within specific bandwidth

isdiag Determine if matrix is diagonal

ishermitian Determine if matrix is Hermitian or skew-Hermitian

https://la.mathworks.com/help/matlab/referencelist.html?type=function 47/100
17/10/22, 20:13 MATLAB — Funciones

issymmetric Determine if matrix is symmetric or skew-symmetric

istril Determine if matrix is lower triangular

istriu Determine if matrix is upper triangular

Propiedades de la matriz

norm Normas de vectores y matrices

normest 2-norm estimate

vecnorm Vector-wise norm

cond Condition number for inversion

condest 1-norm condition number estimate

rcond Reciprocal condition number

condeig Condition number with respect to eigenvalues

det Matrix determinant

null Null space of matrix

orth Orthonormal basis for range of matrix

rank Rank of matrix

rref Reduced row echelon form (Gauss-Jordan elimination)

trace Suma de los elementos diagonales

subspace Angle between two subspaces

Generación de números aleatorios


rand Números aleatorios distribuidos de manera uniforme

randn Números aleatorios distribuidos de manera normal

randi Enteros seudoaleatorios distribuidos de manera uniforme

randperm Permutación aleatoria de enteros

rng Controlar el generador de números aleatorios

RandStream Random number stream

Interpolación
Interpolación 1D y en malla

interp1 Interpolación de datos 1D (búsqueda en tabla)

interp2 Interpolation for 2-D gridded data in meshgrid format

interp3 Interpolation for 3-D gridded data in meshgrid format

interpn Interpolation for 1-D, 2-D, 3-D, and N-D gridded data
in ndgrid format

griddedInterpolant Gridded data interpolation

pchip Piecewise Cubic Hermite Interpolating Polynomial (PCHIP)

makima Modified Akima piecewise cubic Hermite interpolation

spline Cubic spline data interpolation

ppval Evaluate piecewise polynomial

https://la.mathworks.com/help/matlab/referencelist.html?type=function 48/100
17/10/22, 20:13 MATLAB — Funciones

mkpp Make piecewise polynomial

unmkpp Extract piecewise polynomial details

padecoef Padé approximation of time delays

interpft 1-D interpolation (FFT method)

Creación de cuadrículas

ndgrid Rectangular grid in N-D space

meshgrid Cuadrículas 2D y 3D

Interpolación dispersa

griddata Interpolate 2-D or 3-D scattered data

griddatan Interpolate N-D scattered data

scatteredInterpolant Interpolate 2-D or 3-D scattered data

Optimización
fminbnd Find minimum of single-variable function on fixed interval

fminsearch Find minimum of unconstrained multivariable function using


derivative-free method

lsqnonneg Solve nonnegative linear least-squares problem

fzero Root of nonlinear function

optimget Optimization options values

optimset Create or modify optimization options structure

Integración numérica y ecuaciones diferenciales


Ecuaciones diferenciales ordinarias
Mecanismos de solución no rígidos
ode45 Resolver ecuaciones diferenciales no rígidas; método de orden intermedio

ode23 Solve nonstiff differential equations — low order


method

ode78 Solve nonstiff differential equations — high order method

ode89 Solve nonstiff differential equations — high order method

ode113 Solve nonstiff differential equations — variable


order method

Mecanismos de solución rígidos


ode15s Solve stiff differential equations and DAEs — variable
order method

ode23s Solve stiff differential equations — low order


method

ode23t Solve moderately stiff ODEs and DAEs — trapezoidal


rule

ode23tb Solve stiff differential equations — trapezoidal


rule + backward differentiation formula

Mecanismos de solución completamente implícitos


ode15i Solve fully implicit differential equations — variable
order method

decic Compute consistent initial conditions for ode15i

https://la.mathworks.com/help/matlab/referencelist.html?type=function 49/100
17/10/22, 20:13 MATLAB — Funciones

Opciones get/set
odeget Extract ODE option values

odeset Create or modify options structure for ODE and PDE solvers

Evaluar y ampliar la solución


deval Evaluate differential equation solution structure

odextend Extend solution to ODE

Problemas de valores de límites

bvp4c Solve boundary value problem — fourth-order method

bvp5c Solve boundary value problem — fifth-order method

bvpinit Form initial guess for boundary value problem solver

bvpget Extract properties from options structure created with


bvpset

bvpset Create or alter options structure of boundary value problem

deval Evaluate differential equation solution structure

bvpxtend Form guess structure for extending boundary value solutions

Ecuaciones diferenciales con retardo


dde23 Solve delay differential equations (DDEs) with constant
delays

ddesd Solve delay differential equations (DDEs) with general


delays

ddensd Solve delay differential equations (DDEs) of neutral type

ddeget Extract properties from delay differential equations options


structure

ddeset Create or alter delay differential equations options structure

deval Evaluate differential equation solution structure

Ecuaciones diferenciales parciales en 1D

pdepe Solve 1-D parabolic and elliptic PDEs

odeget Extract ODE option values

odeset Create or modify options structure for ODE and PDE solvers

pdeval Interpolate numerical solution of PDE

Integración numérica y diferenciación

integral Integración numérica

integral2 Numerically evaluate double integral

integral3 Numerically evaluate triple integral

quadgk Numerically evaluate integral — Gauss-Kronrod quadrature

quad2d Numerically evaluate double integral — tiled method

cumtrapz Cumulative trapezoidal numerical integration

trapz Integración numérica trapezoidal

del2 Discrete Laplacian

https://la.mathworks.com/help/matlab/referencelist.html?type=function 50/100
17/10/22, 20:13 MATLAB — Funciones

diff Diferencias y derivadas aproximadas

gradient Numerical gradient

polyint Polynomial integration

polyder Polynomial differentiation

Análisis y filtrado de Fourier


Transformada de Fourier

fft Transformada rápida de Fourier

fft2 Transformada rápida de Fourier en 2D

fftn N-D fast Fourier transform

nufft Nonuniform fast Fourier transform

nufftn N -D nonuniform fast Fourier transform

fftshift Desplazar un componente de frecuencia cero al centro del espectro

fftw Define method for determining FFT algorithm

ifft Inverse fast Fourier transform

ifft2 2-D inverse fast Fourier transform

ifftn Multidimensional inverse fast Fourier transform

ifftshift Inverse zero-frequency shift

nextpow2 Exponent of next higher power of 2

interpft 1-D interpolation (FFT method)

Convolución

conv Convolución y multiplicación polinomial

conv2 2-D convolution

convn N-D convolution

deconv Deconvolution and polynomial division

Filtrado digital

filter 1-D digital filter

filter2 2-D digital filter

ss2tf Convert state-space representation to transfer function

padecoef Padé approximation of time delays

Matrices dispersas
Creación

spalloc Allocate space for sparse matrix

spdiags Extract nonzero diagonals and create sparse band and diagonal matrices

speye Sparse identity matrix

sprand Sparse uniformly distributed random matrix

https://la.mathworks.com/help/matlab/referencelist.html?type=function 51/100
17/10/22, 20:13 MATLAB — Funciones

sprandn Sparse normally distributed random matrix

sprandsym Sparse symmetric random matrix

sparse Create sparse matrix

spconvert Import from sparse matrix external format

Manipulación

issparse Determine whether input is sparse

nnz Número de elementos distintos de cero de una matriz

nonzeros Nonzero matrix elements

nzmax Amount of storage allocated for nonzero matrix elements

spfun Apply function to nonzero sparse matrix elements

spones Replace nonzero sparse matrix elements with ones

spparms Set parameters for sparse matrix routines

spy Visualize sparsity pattern of matrix

find Encontrar índices y valores de elementos distintos a cero

full Convert sparse matrix to full storage

Algoritmos de reordenación

dissect Nested dissection permutation

amd Approximate minimum degree permutation

colamd Column approximate minimum degree permutation

colperm Sparse column permutation based on nonzero count

dmperm Dulmage-Mendelsohn decomposition

randperm Permutación aleatoria de enteros

symamd Symmetric approximate minimum degree permutation

symrcm Sparse reverse Cuthill-McKee ordering

Métodos iterativos y precondicionadores

pcg Solve system of linear equations — preconditioned conjugate gradients


method

lsqr Solve system of linear equations — least-squares method

minres Solve system of linear equations — minimum residual method

symmlq Solve system of linear equations — symmetric LQ method

gmres Solve system of linear equations — generalized minimum residual method

bicg Solve system of linear equations — biconjugate gradients method

bicgstab Solve system of linear equations — stabilized biconjugate gradients


method

bicgstabl Solve system of linear equations — stabilized biconjugate gradients (l)


method

cgs Solve system of linear equations — conjugate gradients squared method

qmr Solve system of linear equations — quasi-minimal residual method

tfqmr Solve system of linear equations — transpose-free quasi-minimal residual


method

https://la.mathworks.com/help/matlab/referencelist.html?type=function 52/100
17/10/22, 20:13 MATLAB — Funciones

equilibrate Matrix scaling for improved conditioning

ichol Incomplete Cholesky factorization

ilu Incomplete LU factorization

Valores propios y valores singulares


eigs Subset of eigenvalues and eigenvectors

svds Subset of singular values and vectors

normest 2-norm estimate

condest 1-norm condition number estimate

Análisis estructural

sprank Structural rank

etree Elimination tree

symbfact Symbolic factorization analysis

spaugment Form least-squares augmented system

dmperm Dulmage-Mendelsohn decomposition

etreeplot Plot elimination tree

treelayout Lay out tree or forest

treeplot Plot picture of tree

gplot Plot nodes and edges in adjacency matrix

unmesh Convert edge matrix to coordinate and Laplacian matrices

Algoritmos de gráficas y redes


Construcción

graph Graph with undirected edges

digraph Graph with directed edges

Modificar nodos y bordes

addnode Add new node to graph

rmnode Remove node from graph

addedge Add new edge to graph

rmedge Remove edge from graph

flipedge Reverse edge directions

numnodes Number of nodes in graph

numedges Number of edges in graph

findnode Locate node in graph

findedge Locate edge in graph

edgecount Number of edges between two nodes

reordernodes Reorder graph nodes

https://la.mathworks.com/help/matlab/referencelist.html?type=function 53/100
17/10/22, 20:13 MATLAB — Funciones

subgraph Extract subgraph

Analizar estructura

centrality Measure node importance

conncomp Connected graph components

biconncomp Biconnected graph components

condensation Graph condensation

bctree Block-cut tree graph

toposort Topological order of directed acyclic graph

isdag Determine if graph is acyclic

transreduction Transitive reduction

transclosure Transitive closure

isisomorphic Determine whether two graphs are isomorphic

isomorphism Compute isomorphism between two graphs

ismultigraph Determine whether graph has multiple edges

simplify Reduce multigraph to simple graph

Transversales, caminos más cortos y ciclos

bfsearch Breadth-first graph search

dfsearch Depth-first graph search

shortestpath Shortest path between two single nodes

shortestpathtree Shortest path tree from node

distances Shortest path distances of all node pairs

allpaths Find all paths between two graph nodes

maxflow Maximum flow in graph

minspantree Minimum spanning tree of graph

hascycles Determine whether graph contains cycles

allcycles Find all cycles in graph

cyclebasis Fundamental cycle basis of graph

Representación de matrices

adjacency Graph adjacency matrix

incidence Graph incidence matrix

laplacian Graph Laplacian matrix

Información de nodos
degree Degree of graph nodes

neighbors Neighbors of graph node

nearest Nearest neighbors within radius

https://la.mathworks.com/help/matlab/referencelist.html?type=function 54/100
17/10/22, 20:13 MATLAB — Funciones

indegree In-degree of nodes

outdegree Out-degree of nodes

predecessors Node predecessors

successors Node successors

inedges Incoming edges to node

outedges Outgoing edges from node

Visualización

plot Plot graph nodes and edges

labeledge Label graph edges

labelnode Label graph nodes

layout Change layout of graph plot

highlight Highlight nodes and edges in plotted graph

Otros

GraphPlot Graph plot for directed and undirected graphs

Geometría computacional
Representación de triangulaciones
Objeto de triangulación
triangulation Triangulation in 2-D or 3-D

barycentricToCartesian Convert coordinates from barycentric to Cartesian

cartesianToBarycentric Convert coordinates from Cartesian to barycentric

circumcenter Circumcenter of triangle or tetrahedron

edgeAttachments Triangles or tetrahedra attached to specified edge

edges Triangulation edges

faceNormal Triangulation unit normal vectors

featureEdges Sharp edges of surface triangulation

freeBoundary Free boundary facets

incenter Incenter of triangulation elements

isConnected Test if two vertices are connected by an edge

nearestNeighbor Vertex closest to specified point

neighbors Triangle or tetrahedron neighbors

pointLocation Triangle or tetrahedron enclosing point

size Size of triangulation connectivity list

vertexAttachments Triangles or tetrahedra attached to vertex

vertexNormal Triangulation vertex normal

Convertir, almacenar y representar


boundaryshape Create polyshape from 2-D triangulation

https://la.mathworks.com/help/matlab/referencelist.html?type=function 55/100
17/10/22, 20:13 MATLAB — Funciones

stlread Create triangulation from STL file

stlwrite Create STL file from triangulation

tetramesh Tetrahedron mesh plot

trimesh Triangular mesh plot

triplot 2-D triangular plot

trisurf Triangular surface plot

Triangulación de Delaunay
Triangulaciones básicas de Delaunay
delaunay Delaunay triangulation

delaunayn N-D Delaunay triangulation

Objeto de triangulación de Delaunay


delaunayTriangulation Delaunay triangulation in 2-D and 3-D

convexHull Convex hull of Delaunay triangulation

isInterior Query points inside Delaunay triangulation

voronoiDiagram Voronoi diagram of Delaunay triangulation

barycentricToCartesian Convert coordinates from barycentric to Cartesian

cartesianToBarycentric Convert coordinates from Cartesian to barycentric

circumcenter Circumcenter of triangle or tetrahedron

edgeAttachments Triangles or tetrahedra attached to specified edge

edges Triangulation edges

faceNormal Triangulation unit normal vectors

featureEdges Sharp edges of surface triangulation

freeBoundary Free boundary facets

incenter Incenter of triangulation elements

isConnected Test if two vertices are connected by an edge

nearestNeighbor Vertex closest to specified point

neighbors Triangle or tetrahedron neighbors

pointLocation Triangle or tetrahedron enclosing point

size Size of triangulation connectivity list

vertexAttachments Triangles or tetrahedra attached to vertex

vertexNormal Triangulation vertex normal

Convertir, almacenar y representar


boundaryshape Create polyshape from 2-D triangulation

stlwrite Create STL file from triangulation

tetramesh Tetrahedron mesh plot

trimesh Triangular mesh plot

triplot 2-D triangular plot

https://la.mathworks.com/help/matlab/referencelist.html?type=function 56/100
17/10/22, 20:13 MATLAB — Funciones

trisurf Triangular surface plot

Búsqueda espacial

triangulation Triangulation in 2-D or 3-D

delaunayTriangulation Delaunay triangulation in 2-D and 3-D

dsearchn Nearest point search

tsearchn N-D closest simplex search

delaunay Delaunay triangulation

delaunayn N-D Delaunay triangulation

Regiones delimitadoras
Regiones delimitadoras básicas
boundary Boundary of a set of points in 2-D or 3-D

convhull Convex hull

convhulln N-D convex hull

Objeto de forma alfa


alphaShape Polygons and polyhedra from points in 2-D and 3-D

alphaSpectrum Alpha values giving distinct alpha shapes

criticalAlpha Alpha radius defining critical transition in shape

numRegions Number of regions in alpha shape

inShape Determine if point is inside alpha shape

alphaTriangulation Triangulation that fills alpha shape

boundaryFacets Boundary facets of alpha shape

perimeter Perimeter of 2-D alpha shape

area Area of 2-D alpha shape

surfaceArea Surface area of 3-D alpha shape

volume Volume of 3-D alpha shape

plot Plot alpha shape

nearestNeighbor Determine nearest alpha shape boundary point

Diagrama de Voronoi

voronoi Voronoi diagram

voronoin N-D Voronoi diagram

patch Plot one or more filled polygonal regions

Polígonos elementales
Polígonos simples
boundaryshape Create polyshape from 2-D triangulation

inpolygon Points located inside or on edge of polygonal region

https://la.mathworks.com/help/matlab/referencelist.html?type=function 57/100
17/10/22, 20:13 MATLAB — Funciones

nsidedpoly Regular polygon

polyarea Area of polygon

polybuffer Create buffer around points, lines, or polyshape


objects

rectint Rectangle intersection area

Objeto polyshape
Crear y modificar objeto polyshape

polyshape 2-D polygons

addboundary Add polyshape boundary

polybuffer Create buffer around points, lines, or polyshape


objects

rmboundary Remove polyshape boundary

rmholes Remove holes in polyshape

rmslivers Remove polyshape boundary outliers

rotate Rotate polyshape

scale Scale polyshape

simplify Simplify polyshape boundaries

sortboundaries Sort polyshape boundaries

sortregions Sort polyshape regions

translate Translate polyshape

Consultar y visualizar

boundary Vertex coordinates of polyshape boundary

holes Convert polyshape hole boundaries to array of


polyshape objects

ishole Determine if polyshape boundary is a hole

isinterior Query points inside polyshape

issimplified Determine if polyshape is well-defined

nearestvertex Query nearest polyshape vertex

numboundaries Number of polyshape boundaries

numsides Number of polyshape sides

overlaps Determine whether polyshape objects overlap

plot Plot polyshape

regions Access polyshape regions

Cantidades geométricas

area Area of polyshape

boundingbox Bounding box of polyshape

centroid Centroid of polyshape

convhull Convex hull of polyshape

turningdist Compute turning distance between polyshape


objects

https://la.mathworks.com/help/matlab/referencelist.html?type=function 58/100
17/10/22, 20:13 MATLAB — Funciones

triangulation Triangulate polyshape

perimeter Perimeter of polyshape

Operaciones booleanas

intersect Intersection of polyshape objects

subtract Difference of two polyshape objects

union Union of polyshape objects

xor Exclusive OR of two polyshape objects

Gráficas
Gráficas en 2D y 3D
Gráficas de líneas

plot Gráfica de líneas en 2D

plot3 Gráfica de puntos o de líneas en 3D

stairs Stairstep graph

errorbar Line plot with error bars

area Filled area 2-D plot

stackedplot Stacked plot of several variables with common x-axis

loglog Gráfica de escala logarítmica

semilogx Semilog plot (x-axis has log scale)

semilogy Semilog plot (y-axis has log scale)

fplot Representar una expresión o función

fimplicit Plot implicit function

fplot3 3-D parametric curve plotter

Gráficas de distribución de datos


Gráficas de distribución
histogram Histogram plot

histogram2 Bivariate histogram plot

morebins Increase number of histogram bins

fewerbins Decrease number of histogram bins

histcounts Histogram bin counts

histcounts2 Bivariate histogram bin counts

boxchart Box chart (box plot)

swarmchart Swarm scatter chart

swarmchart3 3-D swarm scatter chart

Gráficas de burbujas
bubblechart Bubble chart

https://la.mathworks.com/help/matlab/referencelist.html?type=function 59/100
17/10/22, 20:13 MATLAB — Funciones

bubblechart3 3-D bubble chart

bubblelim Map bubble sizes to data range

bubblesize Set minimum and maximum bubble sizes in points

bubblelegend Create legend for bubble chart

Diagramas de dispersión y coordenadas paralelas


scatter Diagrama de dispersión

scatter3 3-D scatter plot

binscatter Binned scatter plot

scatterhistogram Create scatter plot with histograms

spy Visualize sparsity pattern of matrix

plotmatrix Scatter plot matrix

parallelplot Create parallel coordinates plot

Gráficas parte-todo y mapas de calor


bubblecloud Create bubble cloud chart

wordcloud Create word cloud chart from text data

pie Pie chart

pie3 3-D pie chart

heatmap Create heatmap chart

sortx Sort elements in heatmap row

sorty Sort elements in heatmap column

Gráficas de datos discretos

bar Bar graph

barh Horizontal bar graph

bar3 3-D bar graph

bar3h Horizontal 3-D bar graph

pareto Pareto chart

stem Plot discrete sequence data

stem3 Plot 3-D discrete sequence data

scatter Diagrama de dispersión

scatter3 3-D scatter plot

stairs Stairstep graph

Gráficas geográficas

geoplot Plot line in geographic coordinates

geoscatter Scatter chart in geographic coordinates

geobubble Visualize data values at specific geographic locations

geodensityplot Geographic density plot

https://la.mathworks.com/help/matlab/referencelist.html?type=function 60/100
17/10/22, 20:13 MATLAB — Funciones

geobasemap Set or query basemap

geolimits Set or query geographic limits

geoaxes Create geographic axes

geotickformat Set or query geographic tick label format

Gráficas polares
Representar datos
polarplot Plot line in polar coordinates

polarscatter Scatter chart in polar coordinates

polarbubblechart Polar bubble chart

polarhistogram Histogram chart in polar coordinates

compass Arrows emanating from origin

ezpolar Easy-to-use polar coordinate plotter

Personalizar ejes polares


rlim Set or query r-axis limits for polar
axes

thetalim Set or query theta-axis limits for polar axes

rticks Set or query r-axis tick values

thetaticks Set or query theta-axis tick values

rticklabels Set or query r-axis tick labels

thetaticklabels Set or query theta-axis tick labels

rtickformat Specify r-axis tick label format

thetatickformat Specify theta-axis tick label format

rtickangle Rotate r-axis tick labels

polaraxes Create polar axes

Diagramas de contorno
contour Diagrama de contorno de una matriz

contourf Filled 2-D contour plot

contourc Low-level contour matrix computation

contour3 3-D contour plot

contourslice Draw contours in volume slice planes

clabel Label contour plot elevation

fcontour Plot contours

Campos de vectores

quiver Quiver or vector plot

quiver3 3-D quiver or vector plot

compass Arrows emanating from origin

feather Arrows from x-axis

https://la.mathworks.com/help/matlab/referencelist.html?type=function 61/100
17/10/22, 20:13 MATLAB — Funciones

streamline Plot streamlines from 2-D or 3-D vector data

streamslice Plot streamlines in slice planes

Superficies, volúmenes y polígonos


Gráficas de superficie y de malla
surf Gráfica de superficie

surfc Contour plot under surface plot

surface Primitive surface plot

surfl Surface plot with colormap-based lighting

surfnorm Surface normals

mesh Gráfica de superficie de malla

meshc Contour plot under mesh surface plot

meshz Mesh surface plot with curtain

hidden Remove hidden lines from mesh plot

fsurf Plot 3-D surface

fmesh Plot 3-D mesh

fimplicit3 Plot 3-D implicit function

waterfall Waterfall plot

ribbon Ribbon plot

contour3 3-D contour plot

peaks Peaks function

cylinder Create cylinder

ellipsoid Create ellipsoid

sphere Create sphere

pcolor Pseudocolor plot

surf2patch Convert surface data to patch data

Visualización de volúmenes
Datos volumétricos escalares

contourslice Draw contours in volume slice planes

flow Simple function of three variables

isocaps Compute isosurface end-cap geometry

isocolors Calculate isosurface and patch colors

isonormals Compute normals of isosurface vertices

isosurface Extract isosurface data from volume data

reducepatch Reduce number of patch faces

reducevolume Reduce number of elements in volume data set

shrinkfaces Reduce size of patch faces

slice Volume slice planes

https://la.mathworks.com/help/matlab/referencelist.html?type=function 62/100
17/10/22, 20:13 MATLAB — Funciones

smooth3 Smooth 3-D data

subvolume Extract subset of volume data set

volumebounds Coordinate and color limits for volume data

Datos volumétricos de vectores

coneplot Plot velocity vectors as cones in 3-D vector field

curl Curl and angular velocity of vector field

divergence Compute divergence of vector field

interpstreamspeed Interpolate stream-line vertices from flow speed

stream2 Compute 2-D streamline data

stream3 Compute 3-D streamline data

streamline Plot streamlines from 2-D or 3-D vector data

streamparticles Plot stream particles

streamribbon 3-D stream ribbon plot from vector volume data

streamslice Plot streamlines in slice planes

streamtube Create 3-D stream tube plot

Polígonos
fill Create filled 2-D patches

fill3 Create filled 3-D patches

patch Plot one or more filled polygonal regions

surf2patch Convert surface data to patch data

Animación
movie Play recorded movie frames

getframe Capture axes or figure as movie frame

frame2im Return image data associated with movie frame

im2frame Convert image to movie frame

animatedline Create animated line

addpoints Add points to animated line

getpoints Return points that define animated line

clearpoints Clear points from animated line

comet 2-D comet plot

comet3 3-D comet plot

drawnow Update figures and process callbacks

refreshdata Refresh charted data

Formato y anotación
Etiquetas y anotaciones
Etiquetas
https://la.mathworks.com/help/matlab/referencelist.html?type=function 63/100
17/10/22, 20:13 MATLAB — Funciones

title Add title

subtitle Add subtitle to plot

sgtitle Add title to subplot grid

xlabel Etiquetar el eje x

ylabel Label y-axis

zlabel Label z-axis

fontname Change font name for objects in a figure

fontsize Change font size for objects in a figure

legend Añadir una leyenda a los ejes

bubblelegend Create legend for bubble chart

Anotaciones
text Add text descriptions to data points

gtext Add text to figure using mouse

xline Vertical line with constant x-value

yline Horizontal line with constant y-value

annotation Create annotations

datatip Create data tip

line Create primitive line

rectangle Create rectangle with sharp or curved corners

texlabel Format text with TeX characters

ginput Identify axes coordinates

Apariencia de los ejes


Límites de ejes y relaciones de aspecto
xlim Set or query x-axis limits

ylim Set or query y-axis limits

zlim Set or query z-axis limits

axis Establecer límites del eje y relaciones de aspecto

box Display axes outline

daspect Control data unit length along each axis

pbaspect Control relative lengths of each axis

Líneas de cuadrículas, valores de marcas y etiquetas


grid Mostrar u ocultar líneas de cuadrícula en ejes

xticks Establecer o consultar valores de marcas del eje x

yticks Set or query y-axis tick values

zticks Set or query z-axis tick values

xticklabels Set or query x-axis tick labels

yticklabels Set or query y-axis tick labels

https://la.mathworks.com/help/matlab/referencelist.html?type=function 64/100
17/10/22, 20:13 MATLAB — Funciones

zticklabels Set or query z-axis tick labels

xtickformat Specify x-axis tick label format

ytickformat Specify y-axis tick label format

ztickformat Specify z-axis tick label format

xtickangle Rotate x-axis tick labels

ytickangle Rotate y-axis tick labels

ztickangle Rotate z-axis tick labels

datetick Date formatted tick labels

ruler2num Convert data from specific ruler to numeric data

num2ruler Convert numeric data for use with specific ruler

Varias gráficas
hold Conservar la gráfica actual al añadir nuevas gráficas

yyaxis Create chart with two y-axes

legend Añadir una leyenda a los ejes

colororder Set color order for visualizing multiple data series

tiledlayout Create tiled chart layout

nexttile Create axes in tiled chart layout

subplot Crear ejes en posiciones segmentadas

Borrar o crear ejes


cla Clear axes

axes Create Cartesian axes

figure Crear una ventana de figura

Mapas de colores
Mapas de colores y barras de colores
colormap Vista y establecimiento del mapa de colores actual

colorbar Colorbar showing color scale

rgbplot Plot colormap

Ajustes del mapa de colores


brighten Brighten or darken colormap

contrast Create grayscale colormap to enhance image contrast

clim Set colormap limits (Renamed from caxis in R2022a)

spinmap Rotate colormap colors

Espacios de color
hsv2rgb Convert HSV colors to RGB

rgb2hsv Convert RGB colors to HSV

https://la.mathworks.com/help/matlab/referencelist.html?type=function 65/100
17/10/22, 20:13 MATLAB — Funciones

Mapas de colores predefinidos


parula Parula colormap array

turbo Turbo colormap array

hsv HSV colormap array

hot Hot colormap array

cool Cool colormap array

spring Spring colormap array

summer Summer colormap array

autumn Autumn colormap array

winter Winter colormap array

gray Gray colormap array

bone Bone colormap array

copper Copper colormap array

pink Pink colormap array

lines Lines colormap array

jet Jet colormap array

colorcube Colorcube colormap array

prism Prism colormap array

flag Flag colormap array

Control de escenas en 3D
Vistas de cámara
view Camera line of sight

rotate Rotate object about specified origin and direction

makehgtform Create 4-by-4 transform matrix

viewmtx View transformation matrices

cameratoolbar Control camera toolbar programmatically

campan Rotate camera target around camera position

camzoom Zoom in and out on scene

camdolly Move camera position and target

camlookat Position camera to view object or group of objects

camorbit Rotate camera position around camera target

campos Set or query camera position

camproj Set or query projection type

camroll Rotate camera about view axis

camtarget Set or query location of camera target

camup Set or query camera up vector

camva Set or query camera view angle

https://la.mathworks.com/help/matlab/referencelist.html?type=function 66/100
17/10/22, 20:13 MATLAB — Funciones

Iluminación, transparencia y sombreado


camlight Create or move light object in camera coordinates

light Create a light object

lightangle Create or position light object in spherical coordinates

lighting Set lighting method

shading Set color shading properties

diffuse Calculate diffuse reflectance

material Control reflectance properties of surfaces and patches

specular Calculate specular reflectance

alim Set or query axes alpha limits

alpha Add transparency to objects in axes

alphamap Specify figure alphamap (transparency)

Imágenes
Visualización de imágenes

imshow Display image

image Display image from array

imagesc Display image with scaled colors

Leer, escribir y modificar imagen

imread Read image from graphics file

imresize Resize image

imtile Combine multiple image frames into one rectangular tiled image

imwrite Write image to graphics file

imfinfo Information about graphics file

imformats Manage image file format registry

Convertir tipo de imagen

cmap2gray Convert RGB colormap to grayscale colormap

frame2im Return image data associated with movie frame

im2gray Convert RGB image to grayscale

im2frame Convert image to movie frame

im2double Convert image to double precision

ind2rgb Convert indexed image to RGB image

rgb2gray Convertir una imagen RGB o mapa de color en escala de grises

rgb2ind Convert RGB image to indexed image

getrangefromclass Default display range of image based on its class

Modificar colores de imágenes

https://la.mathworks.com/help/matlab/referencelist.html?type=function 67/100
17/10/22, 20:13 MATLAB — Funciones

imapprox Approximate indexed image by reducing number of colors

dither Convert image, increasing apparent color resolution by dithering

cmpermute Rearrange colors in colormap

cmunique Eliminate duplicate colors in colormap; convert grayscale or truecolor image to


indexed
image

Impresión y almacenamiento
exportgraphics Save plot or graphics content to file

copygraphics Copy plot or graphics content to clipboard

exportapp Capture app as image or PDF

getframe Capture axes or figure as movie frame

saveas Save figure to specific file format

hgexport Export figure

print Print figure or save to specific file format

orient Paper orientation for printing or saving

printopt (To be removed) Configure printer defaults

openfig Open figure saved in FIG-file

savefig Save figure and contents to FIG-file

Objetos de gráficas
Propiedades de objetos de gráficas

get Query graphics object properties

set Set graphics object properties

reset Reset graphics object properties to


their defaults

Identificación de objetos de gráficas

gca Ejes o gráfica actuales

gcf Identificador de la figura actual

gcbf Handle of figure containing object whose callback is executing

gcbo Handle of object whose callback is executing

gco Handle of current object

groot Graphics root object

ancestor Ancestor of graphics object

allchild Find all children of specified objects

findall Find all graphics objects

findobj Find graphics objects with specific properties

findfigs Find visible offscreen figures

gobjects Initialize array for graphics objects

isgraphics True for valid graphics object handles

https://la.mathworks.com/help/matlab/referencelist.html?type=function 68/100
17/10/22, 20:13 MATLAB — Funciones

ishandle Test for valid graphics or Java object handle

copyobj Copy graphics objects and their descendants

delete Delete files or objects

Programación de objetos de gráficas

gobjects Initialize array for graphics objects

isgraphics True for valid graphics object handles

isempty Determinar si un arreglo está vacío

isequal Determine array equality

isa Determine if input has specified data type

clf Clear figure

cla Clear axes

close Close one or more figures

Control interactivo y callbacks

uicontextmenu Create context menu component

uimenu Create menu or menu items

dragrect Drag rectangles with mouse

rbbox Create rubberband box for area selection

refresh Redibujar la figura actual

shg Show current figure

Contenedores de objetos

hggroup Create group object

hgtransform Create transform object

makehgtform Create 4-by-4 transform matrix

eye Matriz identidad

Especificación del destino para la salida de gráficas

hold Conservar la gráfica actual al añadir nuevas gráficas

ishold Current hold state

newplot Determine where to draw graphics objects

clf Clear figure

cla Clear axes

Desarrollo de clases de gráficas


matlab.graphics.chartcontainer.ChartContainer Base class for developing chart objects

matlab.graphics.chartcontainer.mixin.Legend Add legend support to chart container subclass

matlab.graphics.chartcontainer.mixin.Colorbar Add colorbar support to chart container subclass

https://la.mathworks.com/help/matlab/referencelist.html?type=function 69/100
17/10/22, 20:13 MATLAB — Funciones

setup Set up instance of chart container subclass

update Update instance of chart container subclass after setting


properties

getAxes Get axes for chart container subclass

getLayout Get tiled chart layout for chart container subclass

getLegend Get legend object for legend mixin subclass

getColorbar Get colorbar object for colorbar mixin subclass

Rendimiento de gráficas
drawnow Update figures and process callbacks

rendererinfo Graphics renderer information

opengl (To be removed) Control OpenGL rendering

Programación
Scripts
edit Edit or create file

input Solicitar una entrada al usuario

publish Generate view of MATLAB file in specified format

grabcode Extract MATLAB code from file published to HTML

snapnow Take snapshot of image for inclusion in published document

Funciones
Creación de funciones

function Declarar el nombre, las entradas y las salidas de una función

Definiciones de argumentos
Declarar y validar argumentos
Bloque de argumentos

arguments Declare function argument validation

Validación de valores numéricos

mustBePositive Validate that value is positive

mustBeNonpositive Validate that value is nonpositive

mustBeNonnegative Validate that value is nonnegative

mustBeNegative Validate that value is negative

mustBeFinite Validate that value is finite

mustBeNonNan Validate that value is not NaN

mustBeNonzero Validate that value is nonzero

mustBeNonsparse Validate that value is nonsparse

mustBeReal Validate that value is real

https://la.mathworks.com/help/matlab/referencelist.html?type=function 70/100
17/10/22, 20:13 MATLAB — Funciones

mustBeInteger Validate that value is integer

mustBeNonmissing Validate that value is not missing

Comparaciones

mustBeGreaterThan Validate that value is greater than another value

mustBeLessThan Validate that value is less than another value

mustBeGreaterThanOrEqual Validate that value is greater than or equal to another value

mustBeLessThanOrEqual Validate that value is less than or equal to another value

Tipos de datos

mustBeA Validate that value comes from one of specified classes

mustBeNumeric Validate that value is numeric

mustBeNumericOrLogical Validate that value is numeric or logical

mustBeFloat Validate that value is floating-point array

mustBeText Validate that value is string array, character vector, or cell array of
character vectors

mustBeTextScalar Validate that value is single piece of text

mustBeNonzeroLengthText Validate that value is text with nonzero length

mustBeUnderlyingType Validate that value has specified underlying type

Tamaño

mustBeNonempty Validate that value is nonempty

mustBeScalarOrEmpty Validate that value is scalar or empty

mustBeVector Validate that value is vector

Pertenencia de intervalos y conjuntos

mustBeInRange Validate that value is in the specified range

mustBeMember Validate that value is member of specified set

Nombres

mustBeFile Validate that path refers to file

mustBeFolder Validate that input path refers to folder

mustBeValidVariableName Validate that input name is valid variable name

Estructura de argumentos nombre-valor

namedargs2cell Convert structure containing name-value pairs to cell array

Listas de argumentos variable-longitud


varargin Variable-length input argument list

nargin Número de argumentos de entrada de una función

https://la.mathworks.com/help/matlab/referencelist.html?type=function 71/100
17/10/22, 20:13 MATLAB — Funciones

narginchk Validate number of input arguments

varargout Variable-length output argument list

nargout Number of function output arguments

nargoutchk Validate number of output arguments

Comprobaciones adicionales
validateattributes Check validity of array

validatestring Check validity of text

validatecolor Validate color values

inputname Variable name of function input

mfilename File name of currently running code

inputParser Input parser for functions

Delimitar variables y generar nombres

persistent Define persistent variable

assignin Assign value to variable in specified workspace

global Declarar variables como globales

mlock Prevent clearing function or script from memory

munlock Allow clearing function or script from memory

mislocked Determine if function or script is locked in memory

isvarname Determine if input is valid variable name

matlab.lang.makeUniqueStrings Construct unique strings from input strings

matlab.lang.makeValidName Construct valid MATLAB identifiers from input strings

namelengthmax Maximum identifier length

Gestión de errores

try, catch Ejecutar instrucciones y detectar los errores resultantes

error Throw error and display message

warning Display warning message

lastwarn Last warning message

assert Throw error if condition false

onCleanup Cleanup tasks upon function completion

Scripts y funciones en vivo


export Convert live script or function to standard format

Clases
Definición de clases
Organización de archivos de clases
class Class of object

https://la.mathworks.com/help/matlab/referencelist.html?type=function 72/100
17/10/22, 20:13 MATLAB — Funciones

classdef Class definition keywords

isobject Determine if input is MATLAB object

import Add package, class, or functions to current import list

matlab.alias.AliasFileManager Create and manage class alias definitions

Propiedades
Información sobre propiedades

properties Class property names

isprop Determine if property is defined by object

Funciones de validación

Validación de atributos de valor numérico


mustBePositive Validate that value is positive

mustBeNonpositive Validate that value is nonpositive

mustBeNonnegative Validate that value is nonnegative

mustBeNegative Validate that value is negative

mustBeFinite Validate that value is finite

mustBeNonNan Validate that value is not NaN

mustBeNonzero Validate that value is nonzero

mustBeNonsparse Validate that value is nonsparse

mustBeReal Validate that value is real

mustBeInteger Validate that value is integer

mustBeNonmissing Validate that value is not missing

Validación de la comparación
mustBeGreaterThan Validate that value is greater than another value

mustBeLessThan Validate that value is less than another value

mustBeGreaterThanOrEqual Validate that value is greater than or equal to another value

mustBeLessThanOrEqual Validate that value is less than or equal to another value

Validación del tipo de datos


mustBeA Validate that value comes from one of specified classes

mustBeNumeric Validate that value is numeric

mustBeNumericOrLogical Validate that value is numeric or logical

mustBeFloat Validate that value is floating-point array

mustBeText Validate that value is string array, character vector, or cell array of
character vectors

mustBeTextScalar Validate that value is single piece of text

mustBeNonzeroLengthText Validate that value is text with nonzero length

mustBeUnderlyingType Validate that value has specified underlying type

Validación de tamaño
mustBeNonempty Validate that value is nonempty

https://la.mathworks.com/help/matlab/referencelist.html?type=function 73/100
17/10/22, 20:13 MATLAB — Funciones

mustBeScalarOrEmpty Validate that value is scalar or empty

mustBeVector Validate that value is vector

Validación de miembros y rango


mustBeMember Validate that value is member of specified set

mustBeInRange Validate that value is in the specified range

Texto con validación de significado especial


mustBeFile Validate that path refers to file

mustBeFolder Validate that input path refers to folder

mustBeValidVariableName Validate that input name is valid variable name

Otros

dynamicprops Superclass for classes that support dynamic properties

meta.DynamicProperty Describe dynamic property of MATLAB object

event.DynamicPropertyEvent Event data for dynamic property events

meta.property Describe property of MATLAB class

meta.Validation Describes property validation

meta.FixedDimension Fixed dimension in property size specification

meta.UnrestrictedDimension Unrestricted dimension in property size specification

meta.ArrayDimension Size information for property validation

matlab.lang.OnOffSwitchState Represent on and off states with logical values

Métodos
methods Class method names

ismethod Determine if object has specified method

meta.method Describe MATLAB class method

Clases de identificadores
isequal Determine array equality

eq Determine equality

Otros

handle Superclass of all handle classes

matlab.mixin.SetGet Provide handle classes with set and get methods

matlab.mixin.SetGetExactNames Require exact name match for set and get methods

dynamicprops Superclass for classes that support dynamic properties

matlab.mixin.Copyable Superclass providing copy functionality for handle objects

addlistener Create event listener bound to event source

listener Create event listener without binding to event source

notify Notify listeners that event is occurring

https://la.mathworks.com/help/matlab/referencelist.html?type=function 74/100
17/10/22, 20:13 MATLAB — Funciones

delete Delete handle object

findobj Find handle objects

findprop Find meta.property object

isvalid Determine valid handles

relationaloperators Determine equality or sort handle objects

Eventos
events Event names

notify Notify listeners that event is occurring

addlistener Create event listener bound to event source

listener Create event listener without binding to event source

event.hasListener Determine if listeners exist for event

event.EventData Base class for event data

event.ClassInstanceEvent Event data for InstanceCreated and InstanceDestroyed events

event.listener Class defining listener objects

event.PropertyEvent Data for property events

event.proplistener Define listener object for property events

Jerarquías de clases
superclasses Names of superclasses

matlab.diagram.ClassViewer Create class diagrams in Class Diagram Viewer app

matlab.mixin.Heterogeneous Superclass for heterogeneous array formation

Enumeraciones
enumeration Class enumeration members and names

isenum Determine if variable is enumeration

meta.EnumeratedValue Describe enumeration member of MATLAB class

Implementaciones de clases de muestra

classdef Class definition keywords

Construcción y trabajo con arreglos de objetos

empty Create empty array of specified class

matlab.mixin.Heterogeneous Superclass for heterogeneous array formation

Personalización de clases
Personalizar la visualización de objetos para clases
details Display array details

matlab.mixin.CustomDisplay Interface for customizing object display

matlab.mixin.util.PropertyGroup Custom property list for object display

matlab.mixin.CustomCompactDisplayProvider Interface for customizing object display within containers

https://la.mathworks.com/help/matlab/referencelist.html?type=function 75/100
17/10/22, 20:13 MATLAB — Funciones

matlab.display.CompactDisplayRepresentation Base class for representing compact display of object array

matlab.display.DisplayConfiguration Describe display environment and settings

matlab.display.DimensionsAndClassNameRepresentation Compact display representation using dimensions and


class name

matlab.display.PlainTextRepresentation Compact display representation using data in object array

Almacenamiento y carga de objetos


saveobj Modify save process for object

loadobj Customize load process for objects

Personalizar la indexación de objetos


matlab.mixin.indexing.RedefinesParen Customize class indexing operations that use parentheses

matlab.mixin.indexing.RedefinesDot Customize class indexing operations that use dots

matlab.mixin.indexing.RedefinesBrace Customize class indexing operations that use braces

matlab.indexing.IndexingOperation Type of customized indexing operation and referenced


indices

matlab.mixin.Scalar Enforce scalar behavior for class instances

matlab.mixin.indexing.ForbidsPublicDotMethodCall Disallow calling public methods using dot notation

matlab.mixin.indexing.OverridesPublicDotMethodCall Calling public methods with dot notation invokes overloaded


dot
indexing

Longitud de la lista de argumentos

listLength Number of arguments returned from customized indexing operations

Sobrecarga de subsref y subsasgn

subsref Subscripted reference

subsasgn Redefine subscripted assignment

subsindex Convert object to array index

substruct Create structure argument for subsasgn or subsref

builtin Execute built-in function from overloaded method

numArgumentsFromSubscript Number of arguments for customized indexing based on subsref and subsasgn

Depurar y desarrollar clases

edit Edit or create file

matlab.diagram.ClassViewer Create class diagrams in Class Diagram Viewer app

Introspección y metadatos de clases

metaclass Obtain meta.class object

meta.abstractDetails Find abstract methods and properties

meta.class.fromName Return meta.class object associated


with named class

meta.package.fromName Return meta.package object for specified


package

https://la.mathworks.com/help/matlab/referencelist.html?type=function 76/100
17/10/22, 20:13 MATLAB — Funciones

meta.package.getAllPackages Get all top-level packages

properties Class property names

methods Class method names

events Event names

superclasses Names of superclasses

Otros
meta.class Describe MATLAB class

meta.property Describe property of MATLAB class

meta.method Describe MATLAB class method

meta.event Describe event defined by MATLAB class

meta.package Describe MATLAB package

meta.DynamicProperty Describe dynamic property of MATLAB object

meta.EnumeratedValue Describe enumeration member of MATLAB class

meta.MetaData Root of the hierarchy of metaclasses

meta.ArrayDimension Size information for property validation

meta.Validation Describes property validation

meta.FixedDimension Fixed dimension in property size specification

meta.UnrestrictedDimension Unrestricted dimension in property size specification

System objects
Uso de System Objects
step Ejecutar el algoritmo System object

clone Create duplicate System object

isDone End-of-data status

isLocked Determine if System object is in use

nargin Number of input arguments for System object

nargout Number of output arguments for System object

reset Reset internal states of System object

release Release resources and allow changes to System object property values and input
characteristics

setup One-time set up tasks for System objects

Crear System objects


Inicializar, ejecutar, restablecer

setupImpl Initialize System object

stepImpl System output and state update equations

resetImpl Reset System object states

releaseImpl Release resources

https://la.mathworks.com/help/matlab/referencelist.html?type=function 77/100
17/10/22, 20:13 MATLAB — Funciones

Propiedades y estados

infoImpl Information about System object

isDoneImpl End-of-data flag

isInactivePropertyImpl Status of inactive property

isTunablePropertyDataTypeMutableImpl Set whether tunable properties can change data type

isDiscreteStateSpecificationMutableImpl Control whether discrete states can change data type

processTunedPropertiesImpl Action when tunable properties change

setProperties Set property values using name-value pairs when creating System object

validatePropertiesImpl Validate property values of System object

getPropertyGroupsImpl Property groups for System object display

Entrada y salida

getNumInputsImpl Number of inputs to the System object

getNumOutputsImpl Number of outputs from System object

getNumInputs Number of inputs required to call the System object

getNumOutputs Number of outputs from calling the System object

isInputComplexityMutableImpl Set whether System object input complexity can change

isInputDataTypeMutableImpl Set whether System object input data type can change

isInputSizeMutableImpl Set whether System object input size can change

nargin Number of input arguments for System object

nargout Number of output arguments for System object

processInputSpecificationChangeImpl Perform actions when input size, complexity, or data type change

validateInputsImpl Validate inputs to System object

Cargar y guardar

loadObjectImpl Load System object from MAT file

saveObjectImpl Save System object in MAT file

Actualizar sintaxis

sysobjupdate Update custom System object to latest syntax

Otros

matlab.System Base class for System objects

matlab.system.mixin.FiniteSource Finite source mixin class

Archivos y carpetas
Ruta de búsqueda

addpath Añadir carpetas a la ruta de búsqueda

rmpath Remove folders from search path


https://la.mathworks.com/help/matlab/referencelist.html?type=function 78/100
17/10/22, 20:13 MATLAB — Funciones

path View or change search path

savepath Save current search path

userpath View or change default user work folder

genpath Generate path name

pathsep Search path separator for current platform

pathtool Open Set Path dialog box to view and change search path

restoredefaultpath Restore search path to factory-installed state

rehash Refresh function and file system path caches

Operaciones de archivos
Obtener información del archivo
dir Enumerar el contenido de una carpeta

ls List folder contents

pwd Identificar la carpeta actual

fileattrib Set or get attributes of file or folder

exist Check existence of variable, script, function, folder,


or class

isfile Determine if input is file

isfolder Determine if input is folder

type Display contents of file

visdiff Compare two files or folders

what List MATLAB files in folder

which Locate functions and files

Crear, modificar y eliminar archivos y carpetas


cd Cambiar la carpeta actual

copyfile Copy file or folder

delete Delete files or objects

recycle Set option to move deleted files to recycle folder

mkdir Make new folder

movefile Move or rename file or folder

rmdir Remove folder

Abrir archivos
open Open file in appropriate application

winopen Open file in appropriate application (Windows)

Compresión de archivos

zip Compress files into zip file

unzip Extract contents of zip file

gzip Compress files into GNU zip files

https://la.mathworks.com/help/matlab/referencelist.html?type=function 79/100
17/10/22, 20:13 MATLAB — Funciones

gunzip Extract contents of GNU zip file

tar Compress files into tar file

untar Extract contents of tar file

Construcción de nombres de archivos


fileparts Get parts of file name

fullfile Build full file name from parts

filemarker Character to separate file name from local or nested function name

filesep File separator for current platform

tempdir Name of temporary folder for the system

tempname Unique name for temporary file

matlabroot MATLAB root folder

matlabdrive Root folder of MATLAB


Drive

toolboxdir Root folder for specified toolbox

Utilidades de programación
Evaluar expresiones

eval Evaluar una expresión de MATLAB

evalc Evaluate MATLAB expression and capture results

evalin Evaluate MATLAB expression in specified workspace

feval Evaluar una función

run Run MATLAB script

builtin Execute built-in function from overloaded method

Programar ejecución con temporizador

timer Schedule execution of MATLAB commands

delete Delete files or objects

get Query graphics object properties

isvalid Determine valid handles

set Set graphics object properties

start Start timer

startat Schedule timer to fire at specified time

stop Stop timer

timerfind Find timer objects

timerfindall Find all timer objects

wait Block command prompt until timer stops running

Gestionar excepciones

try, catch Ejecutar instrucciones y detectar los errores


resultantes
https://la.mathworks.com/help/matlab/referencelist.html?type=function 80/100
17/10/22, 20:13 MATLAB — Funciones

MException Capture error information

addCause Record additional causes of exception

addCorrection Provide suggested fix for exception

getReport Get error message for exception

MException.last Return last uncaught exception

rethrow Rethrow previously caught exception

throw Throw exception

throwAsCaller Throw exception as if occurs within calling


function

matlab.lang.correction.AppendArgumentsCorrection Correct error by appending missing input


arguments

matlab.lang.correction.ConvertToFunctionNotationCorrection Correct error by converting to function notation

matlab.lang.correction.ReplaceIdentifierCorrection Correct error by replacing identifier in function call

Ejecutar código paralelo portátil

parfevalOnAll Run function on all workers in background

parallel.pool.Constant Copy or create data only once on workers in parallel pool

canUseGPU Verify supported GPU is available for computation

canUseParallelPool Verify that parallel functions can use a parallel pool

Creación de apps
Desarrollar apps mediante App Designer
appdesigner Open App Designer Start Page or existing app file

Desarrollar apps de manera programática


Desarrollar apps basadas en uifigure
Contenedores
uifigure Create figure for designing apps

uigridlayout Create grid layout manager

uipanel Create panel container

uitabgroup Create container for tabbed panels

uitab Create tabbed panel

Ejes
uiaxes Create UI axes for plots in apps

axes Create Cartesian axes

geoaxes Create geographic axes

polaraxes Create polar axes

Componentes
Componentes comunes
https://la.mathworks.com/help/matlab/referencelist.html?type=function 81/100
17/10/22, 20:13 MATLAB — Funciones

uibutton Create push button or state button component

uibuttongroup Create button group to manage radio buttons and toggle


buttons

uicheckbox Create check box component

uidatepicker Create date picker component

uidropdown Create drop-down component

uieditfield Create text or numeric edit field component

uihyperlink Create hyperlink component

uiimage Create image component

uilabel Create label component

uilistbox Create list box component

uiradiobutton Create radio button component

uislider Create slider component

uispinner Create spinner component

uitable Create table user interface component

uitextarea Create text area component

uitogglebutton Create toggle button component

uitree Create tree or check box tree component

uitreenode Create tree node component

Herramientas de la figura

uicontextmenu Create context menu component

uimenu Create menu or menu items

uipushtool Create push tool in toolbar

uitoggletool Create toggle tool in toolbar

uitoolbar Create toolbar in figure

Componentes de instrumentación

uigauge Create gauge component

uiknob Create knob component

uilamp Create lamp component

uiswitch Create slider switch, rocker switch, or toggle switch component

Componentes extensibles

uihtml Create HTML UI component

Estilo y control de componentes


uistyle Create style for table or tree UI component

addStyle Add style to table or tree UI component

removeStyle Remove style from table or tree UI component

https://la.mathworks.com/help/matlab/referencelist.html?type=function 82/100
17/10/22, 20:13 MATLAB — Funciones

expand Expand tree node

collapse Collapse tree node

move Move tree node

open Open context menu at location within UI figure

scroll Scroll to location within component

isInScrollView Determine if component is visible in scrollable container

focus Focus UI component

Diálogos y notificaciones
uialert Display alert dialog box

uiconfirm Create confirmation dialog box

uiprogressdlg Create progress dialog box

uisetcolor Open color picker

uigetfile Open file selection dialog box

uiputfile Open dialog box for saving files

uigetdir Open folder selection dialog box

uiopen Open file selection dialog box and load selected file into
workspace

uisave Open dialog box for saving variables to MAT-file

Mantener o convertir apps basadas en figure


Componentes
axes Create Cartesian axes

uicontrol Create user interface control

uitable Create table user interface component

uipanel Create panel container

uibuttongroup Create button group to manage radio buttons and toggle


buttons

uitab Create tabbed panel

uitabgroup Create container for tabbed panels

uimenu Create menu or menu items

uicontextmenu Create context menu component

uitoolbar Create toolbar in figure

uipushtool Create push tool in toolbar

uitoggletool Create toggle tool in toolbar

Diseño
align Align UIControl components and Axes
objects

movegui Move figure to specified location on screen

getpixelposition Get component position in pixels

setpixelposition Set component position in pixels

listfonts List available system fonts

https://la.mathworks.com/help/matlab/referencelist.html?type=function 83/100
17/10/22, 20:13 MATLAB — Funciones

textwrap Wrap text for user interface control

uistack Reorder visual stacking of UI components

Cuadros de diálogo y notificaciones


Alertas

errordlg Create error dialog box

warndlg Create warning dialog box

msgbox Create message dialog box

helpdlg Create help dialog box

waitbar Create or update wait bar dialog box

Confirmación y entrada

questdlg Create question dialog box

inputdlg Create dialog box to gather user input

listdlg Create list selection dialog box

uisetcolor Open color picker

uisetfont Open font selection dialog box

export2wsdlg Create dialog box for exporting variables to workspace

Sistema de archivos

uigetfile Open file selection dialog box

uiputfile Open dialog box for saving files

uigetdir Open folder selection dialog box

uiopen Open file selection dialog box and load selected file into
workspace

uisave Open dialog box for saving variables to MAT-file

Impresión y exportación

printdlg Open figure Print dialog box

printpreview Open figure Print Preview dialog box

exportsetupdlg Open figure Export Setup dialog box

Otros

dialog Create empty modal dialog box

uigetpref Create dialog box that opens according to user preference

Estructuras de control
uiwait Block program execution and wait to resume

uiresume Resume execution of suspended program

waitfor Block execution and wait for condition

waitforbuttonpress Wait for click or key press

https://la.mathworks.com/help/matlab/referencelist.html?type=function 84/100
17/10/22, 20:13 MATLAB — Funciones

Datos y preferencias de apps


getappdata Retrieve application data

setappdata Store application data

isappdata Determine if application data exists

rmappdata Remove application data

guidata Store or retrieve UI data

guihandles Create structure containing all child objects of Figure

uisetpref Manage preferences used in uigetpref

Desarrollar tareas de Live Editor


matlab.task.LiveTask Base class for developing custom Live Editor tasks

setup Set up instance of Live Editor task subclass

generateCode Generate code for instance of Live Editor task subclass

reset Reset instance of Live Editor task subclass

matlab.task.configureMetadata Configure Live Editor task metadata

matlab.task.removeMetadata Remove Live Editor task metadata

Crear componentes personalizados de la IU


matlab.ui.componentcontainer.ComponentContainer Base class for developing custom UI component objects

setup Set up instance of component container subclass

update Update instance of UI component container subclass after


setting
properties

appdesigner.customcomponent.configureMetadata Configure custom UI component for use in App Designer

appdesigner.customcomponent.removeMetadata Remove custom UI component from App Designer

Empaquetar y compartir apps


matlab.apputil.create Create or modify app project file interactively using the Package App dialog
box

matlab.apputil.package Package app files into a .mlappinstall file

matlab.apputil.install Install app from a .mlappinstall file

matlab.apputil.run Run app programmatically

matlab.apputil.getInstalledAppInfo List installed app information

matlab.apputil.uninstall Uninstall app

Migrar apps GUIDE


guide (To be removed) Create or edit UI file in GUIDE

Herramientas de desarrollo de software


Depuración y análisis
Depuración

https://la.mathworks.com/help/matlab/referencelist.html?type=function 85/100
17/10/22, 20:13 MATLAB — Funciones

dbclear Remove breakpoints

dbcont Resume execution

dbdown Reverse dbup workspace shift

dbquit Quit debug mode

dbstack Function call stack

dbstatus List all breakpoints

dbstep Execute next executable line from current breakpoint

dbstop Set breakpoints for debugging

dbtype Display file with line numbers

dbup Shift current workspace to workspace of caller in debug


mode

keyboard Give control to keyboard

echo Display statements during function or script execution

Comprobación de sintaxis

checkcode Check MATLAB code files for possible problems

mlintrpt Run checkcode for file or folder

Compatibilidad entre versiones


codeCompatibilityReport Create code compatibility report

analyzeCodeCompatibility Create code compatibility analysis results

Rendimiento y memoria
tic Iniciar el cronómetro temporizador

toc Read elapsed time from


stopwatch

cputime CPU time used by MATLAB

timeit Measure time required to run function

profile Profile execution time for functions

bench MATLAB benchmark

memory Memory information

inmem Names of functions, MEX files, and classes in memory

memoize Add memoization semantics to function handle

MemoizedFunction Call memoized function and cache results

clearAllMemoizedCaches Clear caches for all MemoizedFunction objects

Procesar en segundo plano


Ejecutar en segundo plano

parfeval Run function in background

backgroundPool Environment for running code in the background

Futures
https://la.mathworks.com/help/matlab/referencelist.html?type=function 86/100
17/10/22, 20:13 MATLAB — Funciones

fetchOutputs Retrieve results from function running in the background

afterEach Run function after each function finishes running in the background

afterAll Run function after all functions finish running in the background

cancel Stop function running in the background

cancelAll Stop all functions running in the background

wait Wait for futures to complete

fetchNext Retrieve next unread outputs from Future array

Future Function scheduled to run

Colas de datos

send Send data to DataQueue or


PollableDataQueue

poll Retrieve data from PollableDataQueue

afterEach Run function after data is received on DataQueue

parallel.pool.DataQueue Send and automatically process data

parallel.pool.PollableDataQueue Send and manually retrieve data

Proyectos
Crear y exportar proyectos

currentProject Get current project

openProject Load an existing project

isLoaded Determine if project is loaded

reload Reload project

close Close project

export Export project to archive

matlab.project.createProject Create blank project

matlab.project.convertDefinitionFiles Change definition file type of project

matlab.project.deleteProject Stop folder management and delete project definition files

matlab.project.loadProject Load project

matlab.project.rootProject Get root project

Configurar proyectos

addFile Add file or folder to project

addFolderIncludingChildFiles Add folder and child files to project

removeFile Remove file or folder from project

addPath Add folder to project path

removePath Remove folder from project path

addReference Add referenced project to project

listAllProjectReferences List all projects in reference hierarchy of current project

removeReference Remove project reference

https://la.mathworks.com/help/matlab/referencelist.html?type=function 87/100
17/10/22, 20:13 MATLAB — Funciones

addStartupFile Add startup file to project

addShutdownFile Add shutdown file to project

removeStartupFile Remove startup file from project startup list

removeShutdownFile Remove shutdown file from project shutdown list

addShortcut Add shortcut to project

removeShortcut Remove shortcut from project

Administrar archivos de proyectos

addLabel Attach label to project file

createLabel Create project label

removeLabel Remove label from project

findLabel Get project file label

createCategory Create category of project labels

findCategory Find project category of labels

removeCategory Remove project category of labels

findFile Find project file by name

listModifiedFiles List modified files in project

listRequiredFiles Get files required by specified project files

listImpactedFiles Get files impacted by changes to specified project files

listAllProjectReferences List all projects in reference hierarchy of current project

refreshSourceControl Update source control status of project files

runChecks Run all project checks

updateDependencies Update project dependencies

Objetos del proyecto

matlab.project.Project Project object

Marcos de prueba
Pruebas unitarias basadas en scripts

assert Throw error if condition false

runtests Run set of tests

testsuite Create suite of tests

TestResult Result of running test suite

Pruebas unitarias basadas en funciones

functiontests Create array of tests from handles to local functions

runtests Run set of tests

testsuite Create suite of tests

testrunner Create test runner

https://la.mathworks.com/help/matlab/referencelist.html?type=function 88/100
17/10/22, 20:13 MATLAB — Funciones

run Run TestSuite array using TestRunner object


configured for text output

Test Specification of a single test

FunctionTestCase TestCase used for function-based tests

TestResult Result of running test suite

Pruebas unitarias basadas en clases

runtests Run set of tests

testsuite Create suite of tests

testrunner Create test runner

run Run TestSuite array using TestRunner object


configured for text output

run Run test suite

run Run TestCase test

runInParallel Run all tests in TestSuite array in


parallel

matlab.unittest.TestCase Superclass of all matlab.unittest test classes

matlab.unittest.TestSuite Fundamental interface for grouping tests to run

matlab.unittest.Test Specification of a single test

matlab.unittest.TestRunner Class for running tests in matlab.unittest framework

matlab.unittest.TestResult Result of running test suite

Ampliar el marco de pruebas unitarias

matlab.unittest.constraints.Constraint Fundamental interface class for comparisons

matlab.unittest.constraints.BooleanConstraint Interface class for Boolean combinations of constraints

matlab.unittest.constraints.Tolerance Interface for tolerances

matlab.unittest.diagnostics.Diagnostic Fundamental interface class for matlab.unittest diagnostics

matlab.unittest.diagnostics.ConstraintDiagnostic Diagnostic with fields common to most constraints

matlab.unittest.fixtures.Fixture Interface class for test fixtures

matlab.unittest.plugins.TestRunnerPlugin Plugin interface for extending TestRunner

matlab.unittest.plugins.Parallelizable Interface for plugins that support running tests in parallel

matlab.unittest.plugins.QualifyingPlugin Interface for plugins that perform system-wide qualifications

matlab.unittest.plugins.OutputStream Interface that determines where to send text output

matlab.test.behavior.Missing Test if class satisfies contract for missing values

Marco de pruebas para apps

press Perform press gesture on UI component

choose Perform choose gesture on UI component

drag Perform drag gesture on UI component

type Type in UI component

hover Perform hover gesture on UI component

chooseContextMenu Perform choose gesture on context menu item

https://la.mathworks.com/help/matlab/referencelist.html?type=function 89/100
17/10/22, 20:13 MATLAB — Funciones

dismissAlertDialog Close frontmost alert dialog box in figure window

matlab.uitest.unlock Unlock figure locked by app testing framework

matlab.uitest.TestCase.forInteractiveUse Create a TestCase object for interactive use

matlab.uitest.TestCase TestCase to write tests with app testing framework

Marco de pruebas de rendimiento

runperf Run set of tests for performance measurement

testsuite Create suite of tests

matlab.perftest.TimeExperiment Interface for measuring execution time of code under test

matlab.perftest.FixedTimeExperiment TimeExperiment that collects fixed


number of
measurements

matlab.perftest.FrequentistTimeExperiment TimeExperiment that collects variable


number of
measurements

matlab.perftest.TestCase Superclass of matlab.perftest performance


test
classes

matlab.perftest.TimeResult Result from running time experiment

matlab.unittest.measurement.DefaultMeasurementResult Default implementation of MeasurementResult


class

matlab.unittest.measurement.MeasurementResult Base class for classes holding measurement results

matlab.unittest.measurement.chart.ComparisonPlot Visually compare two sets of time experiment results

Marco de creación de simulaciones


Fines generales
matlab.mock.TestCase TestCase to write tests with mocking
framework

matlab.mock.AnyArguments Match any number of arguments

Acciones de objetos ficticios


matlab.mock.actions.AssignOutputs Define return values for method called or property accessed

matlab.mock.actions.DoNothing Take no action

matlab.mock.actions.Invoke Invoke function handle when method is called

matlab.mock.actions.ReturnStoredValue Return stored property value

matlab.mock.actions.StoreValue Store property value

matlab.mock.actions.ThrowException Throw exception when method is called or when property


is set or accessed

Restricciones de objetos ficticios


matlab.mock.constraints.Occurred Constraint qualifying mock object interactions

matlab.mock.constraints.WasAccessed Constraint determining property get access

matlab.mock.constraints.WasCalled Constraint determining method call

matlab.mock.constraints.WasSet Constraint determining property set interaction

Definición y observación de comportamientos


matlab.mock.MethodCallBehavior Specify mock object method behavior and qualify method
calls

https://la.mathworks.com/help/matlab/referencelist.html?type=function 90/100
17/10/22, 20:13 MATLAB — Funciones

matlab.mock.PropertyBehavior Specify mock object property behavior and qualify interactions

matlab.mock.PropertyGetBehavior Specify mock property get behavior

matlab.mock.PropertySetBehavior Specify mock object set behavior

Historial de interacciones de objetos ficticios


getMockHistory Return history of mock interactions from TestCase
instance

matlab.mock.InteractionHistory.forMock Return history from mock object

matlab.mock.InteractionHistory Interface for mock object interaction history

Distribución de toolboxes
Archivos de Toolbox
matlab.addons.toolbox.packageToolbox Package toolbox project

matlab.addons.toolbox.toolboxVersion Query or modify version of toolbox

matlab.addons.toolbox.installToolbox Install toolbox file

matlab.addons.toolbox.uninstallToolbox Uninstall toolbox

matlab.addons.toolbox.installedToolboxes Return information about installed toolboxes

Dependencias de código

matlab.codetools.requiredFilesAndProducts List dependencies of MATLAB program files

Proteger código
pcode Create content-obscured, executable files

Finalización de código y documentación


builddocsearchdb Build searchable documentation database

patchdemoxmlfile Patch demos.xml file

validateFunctionSignaturesJSON Validate functionSignatures.json files

API de configuración

matlab.settings.FactoryGroup.createToolboxGroup Create FactoryGroup root object for toolbox

addGroup Add new factory settings group

addSetting Add new factory setting

matlab.settings.mustBeLogicalScalar Validate that setting value is a logical scalar

matlab.settings.mustBeNumericScalar Validate that setting value is a numeric scalar

matlab.settings.mustBeStringScalar Validate that setting value is a string scalar

matlab.settings.mustBeIntegerScalar Validate that setting value is an integer scalar

matlab.settings.SettingsFileUpgrader Version-specific changes in factory settings tree of toolbox

move Record move or rename of factory setting or group

remove Record removal of factory setting or group

matlab.settings.reloadFactoryFile Load or reload factory settings

https://la.mathworks.com/help/matlab/referencelist.html?type=function 91/100
17/10/22, 20:13 MATLAB — Funciones

matlab.settings.loadSettingsCompatibilityResults Results of upgrading personal settings of toolbox for specific


version

FactoryGroup Group of factory settings and factory subgroup objects

FactorySetting Factory settings object

ReleaseCompatibilityResults Results of upgrading toolbox with specific version number

ReleaseCompatibilityException Exception that occurs when upgrading toolbox

VersionResults Results of upgrade operations

OperationResult Status of individual operation when upgrading toolbox

Interfaces de lenguaje externas


C++ con MATLAB
Llamar a C++ desde MATLAB

clibgen.generateLibraryDefinition Create definition file for C++ library

clibgen.buildInterface Create interface to C++ library without definition file

clibArray Create MATLAB clib array for C++ library functions

clibConvertArray Convert numeric MATLAB array to array of C++ objects

clibIsNull Determine if C++ object is null

clibIsReadOnly Determine if C++ object is read-only

clibRelease Release C++ object from MATLAB

underlyingValue Underlying numeric value for C++ enumeration object created in MATLAB

Llamar a funciones MEX de C/C++ desde MATLAB

mexext Binary MEX file-name extension

mexhost Create host process for C++ MEX function

feval Evaluate C++ MEX function in MEX host process

matlab.mex.MexHost Out-of-process host for C++ MEX function execution

Llamar a MATLAB desde C++


matlab.engine.shareEngine Convert running MATLAB session to shared session

matlab.engine.typedinterface.generateCPP Generate C++ code interface for MATLAB packages, classes, and
functions

Java con MATLAB


Llamar a Java desde MATLAB

isjava Determine if input is Java object

javaaddpath Add entries to dynamic Java class path

javaArray Construct Java array object

javachk Error message based on Java feature support

javaclasspath Return Java class path or specify dynamic path

https://la.mathworks.com/help/matlab/referencelist.html?type=function 92/100
17/10/22, 20:13 MATLAB — Funciones

javaMethod Call Java method

javaMethodEDT Call Java method from Event Dispatch Thread (EDT)

javaObject Call Java constructor

javaObjectEDT Call Java constructor on Event Dispatch Thread (EDT)

javarmpath Remove entries from dynamic Java class path

usejava Determine if Java feature is available

jenv Set JRE Java Runtime Environment path for MATLAB

matlab_jenv Set JRE Java Runtime Environment path for MATLAB from system prompt

Otros
matlab.exception.JavaException Capture error information for Java exception

Llamar a MATLAB desde Java

matlab.engine.shareEngine Convert running MATLAB session to shared session

matlab.engine.engineName Return name of shared MATLAB session

matlab.engine.isEngineShared Determine if MATLAB session is shared

Python con MATLAB


Llamar a Python desde MATLAB
pyenv Change default environment of Python interpreter

PythonEnvironment Python environment information

pyrun Run Python statements from MATLAB

pyrunfile Run Python script file from MATLAB

pyargs Create keyword arguments for Python function

matlab.exception.PyException Capture error information for Python exception

Llamar a MATLAB desde Python


matlab.engine.start_matlab Start MATLAB Engine for Python

matlab.engine.find_matlab Find shared MATLAB sessions to connect to MATLAB Engine


for Python

matlab.engine.connect_matlab Connect shared MATLAB session to MATLAB Engine


for Python

matlab.engine.shareEngine Convert running MATLAB session to shared session

matlab.engine.engineName Return name of shared MATLAB session

matlab.engine.isEngineShared Determine if MATLAB session is shared

matlab.engine.MatlabEngine Python object using MATLAB as computational engine within Python session

matlab.engine.FutureResult Results of asynchronous call to MATLAB function stored in Python object

.NET con MATLAB


Introducción a Microsoft .NET
NET.addAssembly Make .NET assembly visible to MATLAB

NET.isNETSupported Check for supported version of Microsoft .NET

https://la.mathworks.com/help/matlab/referencelist.html?type=function 93/100
17/10/22, 20:13 MATLAB — Funciones

enableNETfromNetworkDrive (To be removed) Enable access to .NET commands from network drive

NET.Assembly Members of .NET assembly

NET.NetException Capture error information for .NET exception

Tipos de datos .NET en MATLAB


NET.createArray Array for nonprimitive .NET types

NET.disableAutoRelease Lock .NET object representing RunTime Callable Wrapper (COM wrapper)

NET.enableAutoRelease Unlock .NET object representing RunTime Callable Wrapper (COM wrapper)

Propiedades .NET en MATLAB

NET.setStaticProperty Static property or field name

Delegados y eventos .NET en MATLAB


BeginInvoke Initiate asynchronous .NET delegate call

EndInvoke Retrieve result of asynchronous call initiated by .NET System.Delegate BeginInvoke


method

Combine Convenience function for static .NET System.Delegate Combine method

Remove Convenience function for static .NET System.Delegate Remove method

RemoveAll Convenience function for static .NET System.Delegate RemoveAll method

Enumeraciones .NET en MATLAB


bitnot .NET enumeration object bit-wise NOT instance method

Clases genéricas de .NET en MATLAB

NET.createGeneric Create instance of specialized .NET generic type

NET.invokeGenericMethod Invoke generic method of object

NET.convertArray (Not recommended) Convert numeric MATLAB array to .NET array

NET.GenericClass Represent parameterized generic type definitions

COM con MATLAB


Utilizar objetos de COM en MATLAB
actxserver Create COM server

actxGetRunningServer Handle to running instance of Automation server

methodsview View class methods

eventlisteners List event handler functions associated with COM object events

registerevent Associate event handler for COM object event at run time

unregisterallevents Unregister all event handlers associated with COM object events

unregisterevent Unregister event handler associated with COM object event at run
time

iscom Determine whether input is COM object

isevent Determine whether input is COM object event

https://la.mathworks.com/help/matlab/referencelist.html?type=function 94/100
17/10/22, 20:13 MATLAB — Funciones

isinterface Determine whether input is COM interface

COM Access COM components from MATLAB

Escribir aplicaciones de COM que funcionan con MATLAB


comserver Register, unregister, or query MATLAB COM server

regmatlabserver Register current MATLAB as COM server

enableservice Enable, disable, or report status of MATLAB Automation server

Servicios web con MATLAB


Utilizar HTTP con MATLAB
Mensajes HTTP
matlab.net.http.RequestMessage HTTP request message

matlab.net.http.ResponseMessage HTTP response message

matlab.net.http.Message HTTP request or response message

matlab.net.http.MessageType HTTP message type

matlab.net.http.MessageBody Body of HTTP message

matlab.net.http.ProtocolVersion HTTP protocol version

matlab.net.http.RequestLine First line of HTTP request message

matlab.net.http.RequestMethod HTTP request method

matlab.net.http.StartLine First line of HTTP message

matlab.net.http.StatusClass Status class of HTTP response

matlab.net.http.StatusCode Status code in HTTP response

matlab.net.http.StatusLine First line of HTTP response message

Paquete de campos y clases de campos de encabezado


matlab.net.http.HeaderField Header field of HTTP message

matlab.net.http.field.AcceptField HTTP Accept header field

matlab.net.http.field.AuthenticateField HTTP WWW-Authenticate or Proxy-Authenticate header field

matlab.net.http.field.AuthenticationInfoField HTTP Authentication-Info header field in response message

matlab.net.http.field.AuthorizationField HTTP Authorization or Proxy-Authorization header field

matlab.net.http.field.ContentDispositionField HTTP Content-Disposition header field

matlab.net.http.field.ContentLengthField HTTP Content-Length field

matlab.net.http.field.ContentLocationField HTTP Content-Location header field

matlab.net.http.field.ContentTypeField HTTP Content-Type header field

matlab.net.http.field.CookieField HTTP Cookie header field

matlab.net.http.field.DateField HTTP Date header field

matlab.net.http.field.GenericField HTTP header field with any name and value

matlab.net.http.field.GenericParameterizedField GenericField to support parameterized syntax

matlab.net.http.field.HTTPDateField HTTP header field containing date

https://la.mathworks.com/help/matlab/referencelist.html?type=function 95/100
17/10/22, 20:13 MATLAB — Funciones

matlab.net.http.field.IntegerField Base class for HTTP header fields containing nonnegative


integers

matlab.net.http.field.LocationField HTTP Location header field

matlab.net.http.field.MediaRangeField Base class for HTTP Content-Type and Accept header fields

matlab.net.http.field.SetCookieField HTTP Set-Cookie header field

matlab.net.http.field.URIReferenceField Base class for HTTP header fields containing URI components

Consumidores de contenido de transmisión


matlab.net.http.io.ContentConsumer Consumer for HTTP message payloads

matlab.net.http.io.FileConsumer Consumer for files in HTTP messages

matlab.net.http.io.StringConsumer String consumer for HTTP payloads

matlab.net.http.io.JSONConsumer Content consumer that converts JSON input into MATLAB data

matlab.net.http.io.ImageConsumer Consumer for image data in HTTP payloads

matlab.net.http.io.MultipartConsumer Helper for multipart content types in HTTP messages

matlab.net.http.io.BinaryConsumer Consumer for binary data in HTTP messages

matlab.net.http.io.GenericConsumer Consumer for multiple content types in HTTP messages

Proveedores de contenido de transmisión


matlab.net.http.io.ContentProvider ContentProvider for HTTP message payloads

matlab.net.http.io.FileProvider ContentProvider to send files

matlab.net.http.io.FormProvider ContentProvider that sends form data

matlab.net.http.io.MultipartFormProvider ContentProvider to send multipart/form-data messages

matlab.net.http.io.StringProvider ContentProvider to send MATLAB strings

matlab.net.http.io.JSONProvider ContentProvider to send MATLAB data as JSON string

matlab.net.http.io.ImageProvider ContentProvider to send MATLAB image data

matlab.net.http.io.MultipartProvider ContentProvider to send multipart/mixed HTTP messages

matlab.net.http.io.GenericProvider Generic ContentProvider for HTTP payloads

Compatibilidad con HTTP


matlab.net.http.AuthenticationScheme HTTP Authentication scheme

matlab.net.http.AuthInfo Authentication or authorization information in HTTP messages

matlab.net.http.Cookie HTTP cookie received from server

matlab.net.http.CookieInfo HTTP cookie information

matlab.net.http.Credentials Credentials for authenticating HTTP requests

matlab.net.http.Disposition Results in HTTP log record

matlab.net.http.HTTPException Exception thrown by HTTP services

matlab.net.http.HTTPOptions Options controlling HTTP message exchange

matlab.net.http.LogRecord HTTP history log record

matlab.net.http.MediaType Internet media type used in HTTP headers

matlab.net.http.ProgressMonitor Progress monitor for HTTP message exchange

https://la.mathworks.com/help/matlab/referencelist.html?type=function 96/100
17/10/22, 20:13 MATLAB — Funciones

Compatibilidad con URI


matlab.net.URI Uniform resource identifier (URI)

matlab.net.ArrayFormat Convert arrays in HTTP queries

matlab.net.QueryParameter Parameter in query portion of uniform resource identifier (URI)

Otros
matlab.net.base64decode Base 64 decoding of string

matlab.net.base64encode Base 64 encoding of byte string or vector

Utilizar WSDL con MATLAB

matlab.wsdl.createWSDLClient Create interface to SOAP-based web service

matlab.wsdl.setWSDLToolPath Location of WSDL tools

C con MATLAB
loadlibrary Load C shared library into MATLAB

unloadlibrary Unload shared C library from memory

calllib Call function in C shared library

libfunctions Return information on functions in shared C


library

libfunctionsview Display shared C library function signatures in window

libisloaded Determine if shared C library is loaded

libpointer Pointer object for use with shared C library

libstruct Convert MATLAB structure to C-style structure for use with shared C library

lib.pointer Pointer object compatible with C pointer

mex Build MEX function or engine application

dbmex Enable MEX-file debugging on UNIX platforms

Entorno y configuración
Iniciar y cerrar
matlab (Windows) Start MATLAB program from Windows system prompt

matlab (macOS) Start MATLAB program from macOS Terminal

matlab (Linux) Start MATLAB program from Linux system prompt

batchStartupOptionUsed Determine if MATLAB started with -batch option

quit Terminate MATLAB program

exit Terminar el programa MATLAB (igual que salir)

startup User-defined startup script for MATLAB

finish User-defined termination script for MATLAB

matlabrc System administrator-defined start up script for MATLAB

Escritorio

https://la.mathworks.com/help/matlab/referencelist.html?type=function 97/100
17/10/22, 20:13 MATLAB — Funciones

prefdir Folder containing preferences, settings, history, and layout files

Complementos
matlab.addons.installedAddons Get list of installed add-ons

matlab.addons.isAddonEnabled Determine if add-on is enabled

matlab.addons.enableAddon Enable installed add-on

matlab.addons.disableAddon Disable installed add-on

matlab.addons.install Install add-on

matlab.addons.uninstall Uninstall add-on

upgradePreviouslyInstalledSupportPackages Get previously installed hardware support packages and optional


features for the
currently installed release

matlabshared.supportpkg.getInstalled List of installed support packages

matlabshared.supportpkg.getSupportPackageRoot Get root folder of support packages

matlabshared.supportpkg.setSupportPackageRoot Set root folder of support packages

Plataforma y licencia
Versión y licencia
matlabRelease Current MATLAB release information

isMATLABReleaseOlderThan Determine if current MATLAB release is older than specified MATLAB release

ver Version information

version Version number for MATLAB and libraries

verLessThan Compare toolbox version to specified character vector

license Get license status, test existence of license, or check out feature
license

isstudent Determine if version is Student Version

Plataforma
computer Information about computer on which MATLAB is running

ispc Determine if version is for Windows (PC) platform

ismac Determine if version is for macOS platform

isunix Determine if version is for Linux or Mac platforms

Disponibilidad de procesamiento paralelo

canUseGPU Verify supported GPU is available for computation

canUseParallelPool Verify that parallel functions can use a parallel pool

Disponibilidad de Java
usejava Determine if Java feature is available

javachk Error message based on Java feature support

Comandos del sistema

https://la.mathworks.com/help/matlab/referencelist.html?type=function 98/100
17/10/22, 20:13 MATLAB — Funciones

Comandos del sistema operativo


clipboard Copy and paste text to and from system clipboard

computer Information about computer on which MATLAB is running

system Execute operating system command and return output

dos Execute DOS command and return output

unix Execute UNIX command and return output

getenv Environment variable

setenv Set environment variable

perl Call Perl script using operating system executable

winqueryreg Item from Windows registry

Entorno de MATLAB
matlab.io.saveVariablesToScript Save workspace variables to MATLAB script

getpref Get custom preference value

setpref Set custom preference value

addpref Add custom preference

rmpref Remove custom preference

ispref Determine if custom preference exists

API de configuración

settings Access the SettingsGroup root object

clearTemporaryValue Clear temporary value for setting

clearPersonalValue Clear personal value for setting

clearInstallationValue Clear installation value for setting

hasTemporaryValue Determine whether setting has temporary value set

hasPersonalValue Determine whether setting has personal value set

hasInstallationValue Determine whether setting has installation value set

hasFactoryValue Determine whether setting has factory value set

addSetting Add new setting

addGroup Add new settings group

hasGroup Determine if settings group exists

hasSetting Determine if setting exists in settings group

removeGroup Remove settings group

removeSetting Remove setting

matlab.settings.mustBeLogicalScalar Validate that setting value is a logical scalar

matlab.settings.mustBeNumericScalar Validate that setting value is a numeric scalar

matlab.settings.mustBeStringScalar Validate that setting value is a string scalar

matlab.settings.mustBeIntegerScalar Validate that setting value is an integer scalar

Setting Represents individual setting

https://la.mathworks.com/help/matlab/referencelist.html?type=function 99/100
17/10/22, 20:13 MATLAB — Funciones

SettingsGroup Group of settings and subgroup objects

Ayuda y soporte
doc Reference page in Help browser

help Help for functions in Command Window

docsearch Help browser search

lookfor Search for keyword in reference page text

demo Access product examples in Help browser

echodemo Run example script step-by-step in Command Window

openExample Open a MathWorks example

https://la.mathworks.com/help/matlab/referencelist.html?type=function 100/100

También podría gustarte