Methods in Python to combine multiple numbers into one array.
extend method
This method can expand the array and will change the original array.
a = [1,2,3,4,7,5,6]
b = ['a','b']
c = ['h',12,'c']
a.extend(b)
a.extend(c)
print(a)
#Result: [1, 2, 3, 4, 7, 5, 6, 'a', 'b', 'h', 12, 'c']
Direct addition
use+
Concatenate the arrays.
a = [1,2,3,4,7,5,6]
b = ['a','b']
c = ['h',12,'c']
d = a + b +c
print(d)
#Result: [1, 2, 3, 4, 7, 5, 6, 'a', 'b', 'h', 12, 'c']
flatten method
flatten()
The method is a method of array array in numpy. When using it, packages and type conversions must be imported.
from numpy import array
a = [1,2,3]
b = ['a','b','c']
c = ['h',12,'k']
e = [a,b,c]
e = array(e)
print(e.flatten())
#Result: ['1' '2' '3' 'a' 'b' 'c' 'h' '12' 'k']
It is worth noting that this method does not apply to cases where the number of elements in each array is different.
a = [1,2,3,4] #The number of elements is different
b = ['a','b','c']
c = ['h',12,'k']
e = [a,b,c]
e = array(e)
print(e.flatten())
#Result: [list([1, 2, 3, 4]) list(['a', 'b', 'c']) list(['h', 12, 'k'])]
List expressions
Before use, you must place multiple arrays in one array and apply them to a two-dimensional array.
a = [1,2,3,4]
b = ['a','b','c']
c = ['h',12,'k']
e = [a,b,c]
e = [y for x in e for y in x]
print(e)result:[1, 2, 3, 4, 'a', 'b', 'c', 'h', 12, 'k']
More