python-scipyHow do I join two arrays using Python and NumPy?
Joining two arrays using Python and NumPy is a simple task. NumPy provides the concatenate() function which can be used to join two arrays. The syntax for concatenate() is as follows:
numpy.concatenate((array1, array2), axis)
where array1 and array2 are the two arrays that are to be joined, and axis is an optional argument which specifies the axis along which the two arrays are to be joined. If axis is not specified, the arrays are flattened before being joined.
For example, let's say we have two arrays a and b:
a = np.array([[1, 2], [3, 4]])
b = np.array([[5, 6], [7, 8]])
We can join them along the row axis (axis=0) using concatenate() as follows:
np.concatenate((a, b), axis=0)
The output of this code will be:
array([[1, 2],
[3, 4],
[5, 6],
[7, 8]])
Code explanation
numpy.concatenate((array1, array2), axis): The syntax forconcatenate()which is used to join two arrays.array1andarray2: The two arrays which are to be joined.axis: An optional argument which specifies the axis along which the two arrays are to be joined.
Helpful links
More of Python Scipy
- How can I use Python and Numpy to zip files?
- How can I use Python and SciPy to find the zeros of a function?
- How do I use Scipy zeros in Python?
- How do I create a zero matrix using Python and Numpy?
- How do I use Python XlsxWriter to write a NumPy array to an Excel file?
- How do I use the trapz function in Python SciPy?
- How can I use Python Scipy to zoom in on an image?
- How can I use Python and Numpy to parse XML data?
- How do I use Python Numpy to read and write Excel (.xlsx) files?
- How can I check if a certain version of Python is compatible with SciPy?
See more codes...