How To Join Two Arrays In Python

In this blog post, we will learn how to join two arrays in Python. Joining arrays is a common task in programming, especially when you need to combine data from multiple sources or manipulate data sets.

Concatenate Arrays in Python

The simplest way to join two arrays in Python is to use the + operator. The + operator combines the elements of both arrays into a single array.

Here’s an example:

array1 = [1, 2, 3]
array2 = [4, 5, 6]
joined_array = array1 + array2
print(joined_array)
    

Output:

[1, 2, 3, 4, 5, 6]

Using the extend() Method

Another way to join two arrays is by using the extend() method. This method takes an iterable (e.g., list, tuple, or string) and appends its elements to the end of the array.

Here’s an example:

array1 = [1, 2, 3]
array2 = [4, 5, 6]
array1.extend(array2)
print(array1)
    

Output:

[1, 2, 3, 4, 5, 6]

Joining Arrays with itertools.chain()

The itertools.chain() function can also be used to join two or more arrays. This function takes one or more iterables as arguments and returns an iterator that yields their elements in the order they were passed.

Here’s an example:

import itertools

array1 = [1, 2, 3]
array2 = [4, 5, 6]
joined_array = list(itertools.chain(array1, array2))
print(joined_array)
    

Output:

[1, 2, 3, 4, 5, 6]

Conclusion

In this blog post, we explored three different ways to join arrays in Python: using the + operator, the extend() method, and itertools.chain(). Each of these approaches has its advantages and may be more suitable for different scenarios, so feel free to choose the one that best fits your needs.