📌  相关文章
📜  用于以最大最小形式重新排列数组的 PHP 程序 – 设置 2 (O(1) 额外空间)

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

用于以最大最小形式重新排列数组的 PHP 程序 – 设置 2 (O(1) 额外空间)

给定一个正整数的排序数组,交替重新排列数组,即第一个元素应该是最大值,第二个最小值,第三个最大值,第四个最小值等等。
例子:

我们在下面的帖子中讨论了一个解决方案:
以最大最小形式重新排列数组 | Set 1 : 这里讨论的解决方案需要额外的空间,如何用 O(1) 额外的空间来解决这个问题。

在这篇文章中,我们讨论了一个需要 O(n) 时间和 O(1) 额外空间的解决方案。这个想法是使用乘法和模块化技巧将两个元素存储在索引处。

even index : remaining maximum element.
odd index  : remaining minimum element.
 
max_index : Index of remaining maximum element
            (Moves from right to left)
min_index : Index of remaining minimum element
            (Moves from left to right)

Initialize: max_index = 'n-1'
            min_index = 0  

            // Can be any element which is more than 
            // the maximum value in array
            max_element = arr[max_index] + 1 

For i = 0 to n-1            
    If 'i' is even
       arr[i] += (arr[max_index] % max_element * 
                  max_element) 
       max_index--     

    // if 'i' is odd
    ELSE 
       arr[i] +=  (arr[min_index] % max_element * 
                   max_element)
       min_index++

表达式“arr[i] += arr[max_index] % max_element * max_element”是如何工作的?
此表达式的目的是在索引 arr[i] 处存储两个元素。 arr[max_index] 存储为乘数,“arr[i]”存储为余数。例如在 {1 2 3 4 5 6 7 8 9} 中,max_element 为 10,我们将 91 存储在索引 0 处。有了 91,我们可以得到原始元素为 91%10,新元素为 91/10。
下面实现上述想法:

PHP


输出 :

Original Array
1 2 3 4 5 6 7 8 9 
Modified Array
9 1 8 2 7 3 6 4 5 

请参阅有关以最大最小形式重新排列数组的完整文章 |设置 2(O(1) 额外空间)以获取更多详细信息!