Q:

Python program to copy all elements of one array into another array

belongs to collection: Python Array Programs

0

In this program, we need to copy all the elements of one array into another. This can be accomplished by looping through the first array and store the elements of the first array into the second array at the corresponding position.

ARRAY 1

1   2  3  4  5  

ARRAY 2

1   2  3  4  5  

ALGORITHM:

  • STEP 1: Declare and initialize an array.
  • STEP 2: Declare another array of the same size as of the first one
  • STEP 3: Loop through the first array from 0 to length of the array and copy an element from the first array to the second array that is arr1[i] = arr2[i].

All Answers

need an explanation for this answer? contact us directly to get an explanation for this answer

#Initialize array     
arr1 = [1, 2, 3, 4, 5];     
     
#Create another array arr2 with size of arr1    
arr2 = [None] * len(arr1);    
     
#Copying all elements of one array into another    
for i in range(0, len(arr1)):    
    arr2[i] = arr1[i];     
     
#Displaying elements of array arr1     
print("Elements of original array: ");    
for i in range(0, len(arr1)):    
   print(arr1[i]),    
     
print();    
     
#Displaying elements of array arr2     
print("Elements of new array: ");    
for i in range(0, len(arr2)):    
   print(arr2[i]),  

 

Output:

Elements of original array
1 2 3 4 5
Elements of new array:
1 2 3 4 5

need an explanation for this answer? contact us directly to get an explanation for this answer

total answers (1)

Python program to find the frequency of each eleme... >>