Numpy Arrays in Python

Now that we have a solid handle on basic Python programming, we can move on to the introduction of numerical datasets to our programs. By far, the most popular way to get that done is with a little thing called NumPy.

NumPy, short for Numerical Python, provides a powerful array object that is central to a wide variety of computational tasks. Whether you’re analyzing large datasets, performing intricate mathematical calculations, or processing images, NumPy arrays offer an efficient, flexible, and highly optimized solution. Understanding NumPy arrays and how to use them is a fundamental skill for anyone looking to work with data in Python.

In this post, we’ll explore what NumPy arrays are, how to create them, and why they are so essential for numerical and scientific computing. By the end, you’ll have a solid grasp of how NumPy arrays can be leveraged to enhance your Python projects.

What Are Python Packages?

Before diving into NumPy, it’s important to understand the concept of Python packages. A Python package is essentially a collection of modules — files containing Python code — that are bundled together to provide a wide range of functionalities. These packages allow you to easily reuse code and share it across different projects.

Python packages are a way to organize and distribute libraries that serve specific purposes. For example, some packages are designed for web development, while others are tailored for data analysis, machine learning, or even game development. The Python Package Index (PyPI) is a repository that hosts thousands of such packages, making it easy to find and install the tools you need for any Python project.

Packages can range from simple collections of functions and classes to complex frameworks. When you install a package, you gain access to its modules, which can be imported into your Python scripts. This modularity makes Python highly extensible and versatile.

Think of packages as plugins to a software application. They extend the functionality of the software without you having to code everything yourself. NumPy does precisely that as it grants you the ability to perform a wide range of operations with numbers.

What is NumPy?

NumPy is a powerful open-source library in Python that provides support for large, multi-dimensional arrays and matrices, along with a collection of mathematical functions to operate on these arrays. It was created to bring efficiency and speed to numerical computations, which are essential in data analysis, machine learning, scientific computing, and many other domains.

At its core, NumPy provides the ndarray object, a powerful n-dimensional array that allows you to perform a wide range of mathematical operations at high speed. Unlike Python’s built-in lists, NumPy arrays are designed for performance. They are implemented in C, which allows them to process large datasets much faster than Python lists.

NumPy also serves as the foundation for many other data science libraries, including pandas, SciPy, and scikit-learn. These libraries build on NumPy’s array capabilities to provide more specialized tools for data manipulation, scientific computing, and machine learning.

How to Import the NumPy Package

Before you can start working with NumPy, you need to ensure that the package is installed in your Python environment. NumPy can be easily installed using Python’s package manager, pip. If you haven’t installed NumPy yet, you can do so by running the following command in your terminal or command prompt:

pip install nump

Once installed, you can import NumPy into your Python script or interactive environment (such as Jupyter Notebook) using the import statement. The convention is to import NumPy under the alias np, which helps keep your code concise and readable:

import numpy as np

This alias np is widely recognized and used in the Python community, so it’s a good practice to follow this convention in your own code. After importing NumPy, you’ll have access to all of its functionalities, including the ability to create arrays, perform mathematical operations, and more.

 

Here’s a simple example that demonstrates how to import NumPy and create a basic array:

import numpy as np
# Creating a simple 1D array
my_array = np.array([1, 2, 3, 4, 5])
print(my_array)

When you run this code, it will print out the array [1 2 3 4 5]. With NumPy imported, you’re now ready to explore the powerful capabilities of NumPy arrays, which we’ll cover in the following sections.

What is a NumPy Array?

At the heart of NumPy is the ndarray object, commonly referred to as a NumPy array. A NumPy array is a flexible and efficient data structure that can hold a collection of items, all of which must be of the same type (e.g., all integers or all floats). Unlike Python’s built-in lists, which can store items of different types, NumPy arrays are optimized for numerical computations and offer significant performance advantages.

Key Features of NumPy Arrays

  • Homogeneous Data.   All elements in a NumPy array must be of the same data type. This homogeneity allows NumPy to allocate memory more efficiently and perform operations faster.
  • Fixed Size. Once a NumPy array is created, its size is fixed. You cannot append elements to it like you can with a Python list. However, you can create a new array by resizing or concatenating existing ones.
  • N-Dimensional. NumPy arrays are n-dimensional, meaning they can represent not only vectors (1D) and matrices (2D), but also tensors (3D or higher dimensions). This flexibility makes them suitable for a wide range of applications, from simple numerical calculations to complex machine learning models.
  • Vectorized Operations. One of the most powerful features of NumPy arrays is the ability to perform element-wise operations without the need for explicit loops. This is known as vectorization and is key to achieving high performance in numerical computations.

NumPy Arrays vs Python Lists

While Python lists are versatile and easy to use, they come with limitations when handling large datasets or performing complex numerical operations. Here’s a quick comparison:

  • Performance: NumPy arrays are faster and more memory-efficient than Python lists, especially when dealing with large datasets. This is because NumPy operations are implemented in C, and they leverage continuous memory blocks.
  • Functionality: NumPy arrays come with a rich set of operations and methods tailored for mathematical and statistical computations, which are not available with Python lists.

Example of a NumPy Array

Here’s a simple example to illustrate what a NumPy array looks like:

import numpy as np
# Creating a 1D NumPy array
my_array = np.array([10, 20, 30, 40, 50])
print(my_array)

Output:

[10 20 30 40 50]

In this example, my_array is a one-dimensional NumPy array containing integers. You can access elements, perform calculations, and apply various operations on this array with ease.

Understanding the basics of NumPy arrays is crucial, as they are the foundation for more advanced topics, such as matrix operations and array manipulations, which we’ll explore in the next sections.

How to Create a NumPy Array

Creating a NumPy array is straightforward, and there are several ways to do it depending on your needs. In this section, we’ll explore the most common methods to create NumPy arrays, from simple arrays created from lists to more complex arrays generated using NumPy’s built-in functions.

1. Creating an Array from a Python List

The most basic way to create a NumPy array is by converting a Python list into an array using the np.array() function:

import numpy as np
# Creating a 1D array from a list
my_list = [1, 2, 3, 4, 5]
my_array = np.array(my_list)
print(my_array)

Output:

[1 2 3 4 5]

You can also create multi-dimensional arrays by passing a list of lists:

# Creating a 2D array (matrix) from a list of lists
my_matrix = np.array([[1, 2, 3], [4, 5, 6]])
print(my_matrix)

Output:

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

2. Creating Arrays Using Built-in Functions

NumPy provides several built-in functions that make it easy to create arrays of specific shapes and values:

  • np.zeros(): Creates an array filled with zeros.
zeros_array = np.zeros((2, 3))
print(zeros_array)

Output:

[[0. 0. 0.]
 [0. 0. 0.]]
  • np.ones(): Creates an array filled with ones.
ones_array = np.ones((3, 2))
print(ones_array)

Output:

[[1. 1.]
 [1. 1.]
 [1. 1.]]
  • np.full(): Creates an array filled with a specified value.
full_array = np.full((2, 2), 7)
print(full_array)

Output:

[[7 7]
 [7 7]]
  • np.arange(): Creates an array with a range of values, similar to Python’s range() function but returns an array.
range_array = np.arange(0, 10, 2)
print(range_array)

Output:

[0 2 4 6 8]
  • np.linspace(): Creates an array with a specified number of evenly spaced values between a start and end point.
linspace_array = np.linspace(0, 1, 5)
print(linspace_array)

Output:

[0.   0.25 0.5  0.75 1.  ]
  • np.random.random(): Generates an array filled with random values between 0 and 1.
random_array = np.random.random((2, 3))
print(random_array)

Output:

[[0.5488135  0.71518937 0.60276338]
 [0.54488318 0.4236548  0.64589411]]

3. Creating Arrays with Specific Data Types

You can specify the data type of the elements in a NumPy array using the dtype parameter. This is useful when you need to ensure that the array elements are of a specific type, such as integers, floats, or even complex numbers.

int_array = np.array([1, 2, 3], dtype=int)
float_array = np.array([1, 2, 3], dtype=float)
print(int_array)
print(float_array)

Output:

[1 2 3]
[1. 2. 3.]

4. Creating Multi-Dimensional Arrays

NumPy arrays are not limited to just one or two dimensions. You can create arrays with any number of dimensions. For example, here’s how to create a 3D array:

three_d_array = np.array([[[1, 2], [3, 4]], [[5, 6], [7, 8]]])
print(three_d_array)

Output:

[[[1 2]
  [3 4]]
 [[5 6]
  [7 8]]]

Creating NumPy arrays is a versatile and straightforward process. Whether you’re working with basic one-dimensional arrays or complex multi-dimensional structures, NumPy provides a range of methods to suit your needs. In the next section, we’ll dive into creating and working with NumPy matrices, a special case of two-dimensional arrays.

Creating a NumPy Matrix

While NumPy arrays are versatile and can represent multi-dimensional data, the concept of a matrix in NumPy refers specifically to a two-dimensional array. A matrix is a key structure in many mathematical and scientific applications, such as linear algebra, where it is used to represent systems of equations, transformations, and more.

Creating a Matrix Using np.array()

The simplest way to create a matrix in NumPy is by using the np.array() function, just as you would for any array. A matrix can be created from a list of lists, where each inner list represents a row of the matrix:

import numpy as np # Creating a 2D matrix (2x3 matrix)
matrix = np.array([[1, 2, 3], [4, 5, 6]])
print(matrix)

Output:

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

Creating a Matrix with np.matrix()

Although np.array() is more commonly used, NumPy also provides a np.matrix() function specifically for creating matrices. The np.matrix class is similar to np.array, but with some differences:

  • Strictly 2D. Unlike ndarray, matrix objects are strictly two-dimensional.
  • Operator Overloads. Operators like * and ** are overloaded for matrix multiplication and matrix power, respectively, which can be more intuitive for those familiar with linear algebra.

Here’s an example:

matrix = np.matrix([[1, 2, 3], [4, 5, 6]])
print(matrix)

Output:

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

Matrix Operations

Matrices in NumPy can be manipulated and used in a variety of mathematical operations. Here are some common operations:

  • Matrix Addition and Subtraction. These operations are element-wise.
matrix_a = np.array([[1, 2], [3, 4]])
matrix_b = np.array([[5, 6], [7, 8]])
matrix_sum = matrix_a + matrix_b
matrix_diff = matrix_a - matrix_b
print("Matrix Sum:\n", matrix_sum)
print("Matrix Difference:\n", matrix_diff)

Output:

Matrix Sum:
[[ 6  8] [10 12]]
Matrix Difference:
[[-4 -4]
 [-4 -4]]
  • Matrix Multiplication. For matrix multiplication, use the @ operator or dot() function.
matrix_c = np.array([[1, 2], [3, 4]])
matrix_d = np.array([[2, 0], [1, 2]])
matrix_product = matrix_c @ matrix_d
 print("Matrix Product:\n", matrix_product)

Output:

Matrix Product:
[[ 4  4]
 [10  8]]
  • Transpose of a Matrix. The transpose of a matrix is obtained by swapping rows with columns.
matrix = np.array([[1, 2, 3], [4, 5, 6]])
matrix_transpose = matrix.T
print("Transpose of the matrix:\n", matrix_transpose)

Output:

Transpose of the matrix:
[[1 4]
 [2 5]
 [3 6]]
  • Inverse of a Matrix. To find the inverse of a square matrix, use linalg.inv().
square_matrix = np.array([[1, 2], [3, 4]])
inverse_matrix = np.linalg.inv(square_matrix)
print("Inverse of the matrix:\n", inverse_matrix)

Output:

Inverse of the matrix:
[[-2.   1. ]
 [ 1.5 -0.5]]

When to Use Matrices vs. Arrays

While NumPy’s matrix class offers convenient operator overloading, it’s worth noting that its usage is somewhat discouraged in favor of ndarray. The primary reason is flexibility—ndarray can represent multi-dimensional data, and its operations are more consistent across dimensions. Thus, unless you specifically need the matrix-specific behavior, it’s generally recommended to stick with ndarray.

Applications of NumPy Arrays

NumPy arrays are fundamental to many fields. Here’s how you can expect them to be relevant as we go along with data science and business analytics:

Data Science and Machine Learning

In data science and machine learning, NumPy arrays serve as the backbone for many other libraries, such as pandas, scikit-learn, and TensorFlow. NumPy arrays are used to store and manipulate data in an efficient way, enabling fast processing of large datasets.

  • Data Manipulation. NumPy arrays are used to clean, transform, and analyze datasets. Operations like filtering, aggregation, and reshaping are optimized for performance, making them crucial for handling large-scale data.
  • Machine Learning Models. Many machine learning algorithms, including linear regression, support vector machines, and neural networks, rely on NumPy arrays to handle training data and model parameters. Libraries like scikit-learn use NumPy arrays extensively to implement these algorithms efficiently.
  • Feature Engineering. NumPy arrays facilitate the creation and transformation of features used in machine learning models, such as normalization, encoding, and dimensionality reduction techniques like Principal Component Analysis (PCA).

Mathematical and Statistical Operations

NumPy arrays are particularly well-suited for mathematical and statistical computations. The library includes a vast range of functions that make complex calculations straightforward and efficient.

  • Linear Algebra. NumPy provides functions for matrix multiplication, determinant calculation, eigenvalues, and other linear algebra operations. These are essential in fields like engineering, physics, and computer graphics.
  • Statistics. NumPy arrays are used to perform statistical analyses, such as calculating means, variances, standard deviations, and more. The array structure allows for these operations to be applied over entire datasets with ease.
  • Fourier Transform. NumPy includes functions to compute the Fast Fourier Transform (FFT), which is used in signal processing, image analysis, and other applications requiring frequency domain analysis.

And that’s about it for now with NumPy and its uses in Python programming for data science. In our next posts, we’ll take a deeper dive into the functions that we can apply to arrays and matrices to manipulate our data. In the meantime, practice what you’lve learned here and we’ll see you in the next one.

About Glen Dimaandal

Picture of Glen Dimaandal
Glen Dimaandal is a data scientist from the Philippines. He has a post-graduate degree in Data Science and Business Analytics from the prestigious McCombs School of Business in the University of Texas, Austin. He has nearly 20 years of experience in the field as he worked with major brands from the US, UK, Australia and the Asia-Pacific. Glen is also the CEO of SearchWorks.PH, the Philippines’ most respected SEO agency.
Picture of Glen Dimaandal
Glen Dimaandal is a data scientist from the Philippines. He has a post-graduate degree in Data Science and Business Analytics from the prestigious McCombs School of Business in the University of Texas, Austin. He has nearly 20 years of experience in the field as he worked with major brands from the US, UK, Australia and the Asia-Pacific. Glen is also the CEO of SearchWorks.PH, the Philippines’ most respected SEO agency.
ARTICLE & NEWS

Check our latest news

In our last lesson, we introduced the concept of Python packages and NumPy in particular. Short…

Now that we have a solid handle on basic Python programming, we can move on to…

In our last post, we discussed user-defined functions in Python and their ability to make life…

Ready to get started?

Reveal the untapped potential of your data. Start your journey towards data-driven decision making with Griffith Data Innovations today.