使用 numpy 打印棋盘图案的 Python 程序。
给出 n 的值,我们的任务是显示 n x n 矩阵的棋盘图案。
numpy 中提供了多种使用初始值创建数组的不同类型的函数。NumPy 是 Python 中科学计算的基本包。
算法
Step 1: input order of the matrix. Step 2: create n*n matrix using zeros((n, n), dtype=int). Step 3: fill with 1 the alternate rows and columns using a slicing technique. Step 4: print the matrix.
示例代码
import numpy as np def checkboardpattern(n): print("Checkerboard pattern:") x = np.zeros((n, n), dtype = int) x[1::2, ::2] = 1 x[::2, 1::2] = 1 # print the pattern for i in range(n): for j in range(n): print(x[i][j], end =" ") print() # Driver code n = int(input("Enter value of n ::>")) checkboardpattern(n)
输出
Enter value of n ::>4 Checkerboard pattern: 0 1 0 1 1 0 1 0 0 1 0 1 1 0 1 0
广告