How to Import NumPy: Simple Syntax and Examples
To import the NumPy library in Python, use the code
import numpy as np. This imports NumPy and gives it the short name np for easy use in your code.Syntax
The basic syntax to import NumPy is import numpy. To make it easier to use, it is common to give it a short name like np using import numpy as np. This means you can use np instead of typing numpy every time.
python
import numpy as np
Example
This example shows how to import NumPy and create a simple array. It demonstrates using the short name np to call NumPy functions.
python
import numpy as np arr = np.array([1, 2, 3]) print(arr)
Output
[1 2 3]
Common Pitfalls
One common mistake is forgetting to install NumPy before importing it, which causes an error. Another is importing without the alias and then trying to use np, which will cause a NameError.
Wrong way:
import numpy print(np.array([1, 2, 3])) # Error: np is not defined
Right way:
import numpy as np print(np.array([1, 2, 3]))
Quick Reference
Here is a quick summary of how to import NumPy:
| Import Statement | Description |
|---|---|
| import numpy | Imports NumPy without alias; use full name 'numpy' |
| import numpy as np | Imports NumPy with alias 'np' for shorter code |
| from numpy import array | Imports only the 'array' function from NumPy |
Key Takeaways
Use
import numpy as np to import NumPy with a short alias.Always install NumPy before importing it to avoid errors.
Using the alias
np makes your code cleaner and easier to read.Avoid using
np without importing NumPy as np first.You can import specific functions from NumPy if you only need a few.