Skip to main content
Documents
basicsArray CreationArray OperationsArray Computation & AnalysisLinear AlgebraRandom ProbabilityData Input/Output & Conversion

NumPy concatenate()

The NumPy `concatenate()` function is an array operation used to join two or more arrays along a specified axis. It is useful for combining datasets, restructuring arrays, and performing data manipulation tasks efficiently.

Usage

The `concatenate()` function is used when you need to combine arrays of the same shape along a particular axis. It requires the arrays to be of the same shape except for the dimension specified by the axis.

numpy.concatenate((array1, array2, ...), axis=0)

Here, the `concatenate()` function takes a sequence of arrays, `array1`, `array2`, etc., and joins them along the specified `axis`.

Examples

1. Basic Concatenation

import numpy as np

array1 = np.array([1, 2, 3])
array2 = np.array([4, 5, 6])
result = np.concatenate((array1, array2))

print(result)  # Output: [1, 2, 3, 4, 5, 6]

This code concatenates two one-dimensional arrays, resulting in `[1, 2, 3, 4, 5, 6]`.

2. Concatenation Along Rows

import numpy as np

array1 = np.array([[1, 2], [3, 4]])
array2 = np.array([[5, 6]])
result = np.concatenate((array1, array2), axis=0)

print(result)  
# Output: 
# [[1, 2],
#  [3, 4],
#  [5, 6]]

In this example, `array2` has a shape of `(1, 2)`, making it compatible for concatenation along axis 0 with `array1`, resulting in a 3x2 matrix.

3. Concatenation Along Columns

import numpy as np

array1 = np.array([[1, 2], [3, 4]])
array2 = np.array([[5, 6], [7, 8]])
result = np.concatenate((array1, array2), axis=1)

print(result)  
# Output:
# [[1, 2, 5, 6],
#  [3, 4, 7, 8]]

This example concatenates `array2` along the columns of `array1`, producing a 2x4 matrix.

4. Concatenation of 3D Arrays

import numpy as np

array1 = np.array([[[1, 2], [3, 4]]])
array2 = np.array([[[5, 6], [7, 8]]])
result = np.concatenate((array1, array2), axis=0)

print(result)
# Output:
# [[[1, 2],
#   [3, 4]],
#  [[5, 6],
#   [7, 8]]]

This demonstrates concatenating along a higher dimension, where the arrays are stacked along the first axis to form a 3D structure.

Tips and Best Practices

  • Ensure matching dimensions. Arrays must have the same shape on all axes except the one specified for concatenation.
  • Use axis wisely. Choose the axis that aligns with your data's structure to avoid unintended reshaping.
  • Combine with reshape. Use `reshape()` if necessary before concatenation to ensure compatibility.
  • Verify data integrity. Check the result's shape and data integrity after concatenation, especially in complex operations.
  • Handle exceptions. Be mindful of potential shape mismatches, which can raise errors during concatenation.

`concatenate()` is part of a suite of stacking functions in NumPy, such as `stack()`, `hstack()`, and `vstack()`.