Python 程序按相反顺序打印数组元素

编写一个 Python 程序,以相反的顺序打印数组元素。  在此示例中,使用负值的列表切片以相反的顺序打印 numpy 数组元素。

import numpy as np

arr = np.array([15, 25, 35, 45, 55, 65, 75])

print('Printing the Array Elements in Reverse')
print(arr[::-1])

print('\nPrinting the Array Elements')
print(arr)
Python Program to Print Array Elements in Reverse Order

在此程序中,for 循环根据索引位置从后往前迭代数组元素,并以相反的顺序打印数组项。

import numpy as np

arr = np.array([15, 25, 35, 45, 55, 65, 75])

for i in range(len(arr) - 1, -1, -1):
    print(arr[i], end = '  ')
75  65  55  45  35  25  15  

此程序有助于使用 while 循环以相反的顺序打印数组元素。

import numpy as np

arr = np.array([22, 44, 66, 77, 89, 11, 19])
    
i = len(arr) - 1
while i >= 0:
    print(arr[i], end = '  ')
    i = i - 1
19  11  89  77  66  44  22  

示例 允许输入 Numpy 数组元素并以相反的顺序打印它们。

import numpy as np

arrlist1 = []
arrTot = int(input("Total Number of Array Elements to enter = "))

for i in range(1, arrTot + 1):
    arrvalue = int(input("Please enter the %d Array Value = "  %i))
    arrlist1.append(arrvalue)

arr = np.array(arrlist1)

print('Printing the Array Elements in Reverse')
for i in range(len(arr) - 1, -1, -1):
    print(arr[i], end = '  ')
Total Number of Array Elements to enter = 9
Please enter the 1 Array Value = 21
Please enter the 2 Array Value = 34
Please enter the 3 Array Value = 65
Please enter the 4 Array Value = 78
Please enter the 5 Array Value = 98
Please enter the 6 Array Value = 34
Please enter the 7 Array Value = 65
Please enter the 8 Array Value = 87
Please enter the 9 Array Value = 99
Printing the Array Elements in Reverse
99  87  65  34  98  78  65  34  21