Buscar..
Introducción
Las matrices son tipos de datos específicos, que representan una colección ordenada de elementos de otro tipo.
En Go, los arreglos pueden ser simples (a veces llamados "listas") o multidimensionales (como, por ejemplo, un arreglo en 2 dimensiones representa un conjunto ordenado de arreglos, que contiene elementos)
Sintaxis
- var variableName [5] ArrayType // Declarar una matriz de tamaño 5.
- var variableName [2] [3] ArrayType = {{Value1, Value2, Value3}, {Value4, Value5, Value6}} // Declarar una matriz multidimensional
- variableName: = [...] ArrayType {Value1, Value2, Value3} // Declarar una matriz de tamaño 3 (El compilador contará los elementos de la matriz para definir el tamaño)
- arrayName [2] // Obteniendo el valor por índice.
- arrayName [5] = 0 // Estableciendo el valor en el índice.
- arrayName [0] // Primer valor de la matriz
- arrayName [len (arrayName) -1] // Último valor de la matriz
Creando matrices
Una matriz en go es una colección ordenada de elementos del mismo tipo.
La notación básica para representar arrays es usar []
con el nombre de la variable.
Crear una nueva matriz se parece a var array = [size]Type
, reemplazando size
por un número (por ejemplo, 42
para especificar que será una lista de 42 elementos), y reemplazando Type
por el tipo de elementos que la matriz puede contener (para ejemplo int
o string
)
Justo debajo, hay un ejemplo de código que muestra la forma diferente de crear una matriz en Go.
// Creating arrays of 6 elements of type int,
// and put elements 1, 2, 3, 4, 5 and 6 inside it, in this exact order:
var array1 [6]int = [6]int {1, 2, 3, 4, 5, 6} // classical way
var array2 = [6]int {1, 2, 3, 4, 5, 6} // a less verbose way
var array3 = [...]int {1, 2, 3, 4, 5, 6} // the compiler will count the array elements by itself
fmt.Println("array1:", array1) // > [1 2 3 4 5 6]
fmt.Println("array2:", array2) // > [1 2 3 4 5 6]
fmt.Println("array3:", array3) // > [1 2 3 4 5 6]
// Creating arrays with default values inside:
zeros := [8]int{} // Create a list of 8 int filled with 0
ptrs := [8]*int{} // a list of int pointers, filled with 8 nil references ( <nil> )
emptystr := [8]string{} // a list of string filled with 8 times ""
fmt.Println("zeroes:", zeros) // > [0 0 0 0 0 0 0 0]
fmt.Println("ptrs:", ptrs) // > [<nil> <nil> <nil> <nil> <nil> <nil> <nil> <nil>]
fmt.Println("emptystr:", emptystr) // > [ ]
// values are empty strings, separated by spaces,
// so we can just see separating spaces
// Arrays are also working with a personalized type
type Data struct {
Number int
Text string
}
// Creating an array with 8 'Data' elements
// All the 8 elements will be like {0, ""} (Number = 0, Text = "")
structs := [8]Data{}
fmt.Println("structs:", structs) // > [{0 } {0 } {0 } {0 } {0 } {0 } {0 } {0 }]
// prints {0 } because Number are 0 and Text are empty; separated by a space
Array Multidimensional
Las matrices multidimensionales son básicamente matrices que contienen otras matrices como elementos.
Se representa como el tipo [sizeDim1][sizeDim2]..[sizeLastDim]type
, reemplazando sizeDim
por números correspondientes a la longitud de la dimensión, y type
por el tipo de datos en la matriz multidimensional.
Por ejemplo, [2][3]int
representa una matriz compuesta de 2 subrays de 3 elementos tipeados int .
Básicamente puede ser la representación de una matriz de 2 líneas y 3 columnas .
Por lo tanto, podemos hacer una matriz numérica de grandes dimensiones como var values := [2017][12][31][24][60]int
por ejemplo, si necesita almacenar un número por cada minuto desde el año 0.
Para acceder a este tipo de matriz, para el último ejemplo, buscando el valor de 2016-01-31 a las 19:42, tendrá acceso a los values[2016][0][30][19][42]
(porque los índices de matriz comienza a 0 y no a 1 como días y meses)
Algunos ejemplos siguientes:
// Defining a 2d Array to represent a matrix like
// 1 2 3 So with 2 lines and 3 columns;
// 4 5 6
var multiDimArray := [2/*lines*/][3/*columns*/]int{ [3]int{1, 2, 3}, [3]int{4, 5, 6} }
// That can be simplified like this:
var simplified := [2][3]int{{1, 2, 3}, {4, 5, 6}}
// What does it looks like ?
fmt.Println(multiDimArray)
// > [[1 2 3] [4 5 6]]
fmt.Println(multiDimArray[0])
// > [1 2 3] (first line of the array)
fmt.Println(multiDimArray[0][1])
// > 2 (cell of line 0 (the first one), column 1 (the 2nd one))
// We can also define array with as much dimensions as we need
// here, initialized with all zeros
var multiDimArray := [2][4][3][2]string{}
fmt.Println(multiDimArray);
// Yeah, many dimensions stores many data
// > [[[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]]
// [[[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]]
// We can set some values in the array's cells
multiDimArray[0][0][0][0] := "All zero indexes" // Setting the first value
multiDimArray[1][3][2][1] := "All indexes to max" // Setting the value at extreme location
fmt.Println(multiDimArray);
// If we could see in 4 dimensions, maybe we could see the result as a simple format
// > [[[["All zero indexes" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]]
// [[[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" ""]]]
// [[["" ""] ["" ""]] [["" ""] ["" ""]] [["" ""] ["" "All indexes to max"]]]]
Índices de matriz
Se debe acceder a los valores de las matrices utilizando un número que especifique la ubicación del valor deseado en la matriz. Este número se llama índice.
Los índices comienzan en 0 y terminan en longitud de matriz -1 .
Para acceder a un valor, debe hacer algo como esto: arrayName[index]
, reemplazando "índice" por el número correspondiente al rango del valor en su matriz.
Por ejemplo:
var array = [6]int {1, 2, 3, 4, 5, 6}
fmt.Println(array[-42]) // invalid array index -1 (index must be non-negative)
fmt.Println(array[-1]) // invalid array index -1 (index must be non-negative)
fmt.Println(array[0]) // > 1
fmt.Println(array[1]) // > 2
fmt.Println(array[2]) // > 3
fmt.Println(array[3]) // > 4
fmt.Println(array[4]) // > 5
fmt.Println(array[5]) // > 6
fmt.Println(array[6]) // invalid array index 6 (out of bounds for 6-element array)
fmt.Println(array[42]) // invalid array index 42 (out of bounds for 6-element array)
Para establecer o modificar un valor en la matriz, la forma es la misma.
Ejemplo:
var array = [6]int {1, 2, 3, 4, 5, 6}
fmt.Println(array) // > [1 2 3 4 5 6]
array[0] := 6
fmt.Println(array) // > [6 2 3 4 5 6]
array[1] := 5
fmt.Println(array) // > [6 5 3 4 5 6]
array[2] := 4
fmt.Println(array) // > [6 5 4 4 5 6]
array[3] := 3
fmt.Println(array) // > [6 5 4 3 5 6]
array[4] := 2
fmt.Println(array) // > [6 5 4 3 2 6]
array[5] := 1
fmt.Println(array) // > [6 5 4 3 2 1]