📌  相关文章
📜  Python3程序通过旋转将给定数组修改为非递减数组

📅  最后修改于: 2022-05-13 01:54:36.713000             🧑  作者: Mango

Python3程序通过旋转将给定数组修改为非递减数组

给定一个大小为N的数组arr[] (由重复项组成),任务是检查给定数组是否可以通过旋转它转换为非递减数组。如果不能这样做,则打印“”。否则,打印“”。

例子:

方法:这个想法是基于这样一个事实,即通过旋转给定的数组并检查每个单独的旋转数组,最多可以获得N个不同的数组,无论它是否是非递减的。请按照以下步骤解决问题:

  • 初始化一个向量,比如v,并将原始数组的所有元素复制到其中。
  • 对向量v进行排序。
  • 遍历原始数组并执行以下步骤:
    • 在每次迭代中旋转 1。
    • 如果数组等于向量v ,则打印“”。否则,打印“”。

下面是上述方法的实现:

Python3
# Python 3 program for the above approach
  
  
# Function to check if a
# non-decreasing array can be obtained
# by rotating the original array
def rotateArray(arr, N):
    
    # Stores copy of original array
    v = arr
  
    # Sort the given vector
    v.sort(reverse = False)
  
    # Traverse the array
    for i in range(1, N + 1, 1):
        
        # Rotate the array by 1
        x = arr[N - 1]
        i = N - 1
        while(i > 0):
            arr[i] = arr[i - 1]
            arr[0] = x
            i -= 1
              
        # If array is sorted
        if (arr == v):
            print("YES")
            return
  
    # If it is not possible to
    # sort the array
    print("NO")
  
# Driver Code
if __name__ == '__main__':
    
    # Given array
    arr =  [3, 4, 5, 1, 2]
  
    # Size of the array
    N = len(arr)
  
    # Function call to check if it is possible
    # to make array non-decreasing by rotating
    rotateArray(arr, N)
      
    # This code is contributed by ipg2016107.


输出
YES

时间复杂度: O(N 2 )
辅助空间: O(N)

有关详细信息,请参阅有关通过旋转将给定数组修改为非递减数组的完整文章!