检查 Python 中数组是否可以通过一次交换排序
假设,我们得到一个包含整数元素的数组。我们必须找出如果我们只能执行一次交换操作,数组中的值是否可以按非递减顺序排序。如果可能,我们说可以完成,否则不可以。
因此,如果输入类似于 input_list = [7, 8, 12, 10, 11, 9],则输出将为“可以完成”
为了解决这个问题,我们将遵循以下步骤 -
- temp_list := 列表 input_list 的副本
- 对列表 temp_list 进行排序
- swap_count := 0
- 对于 i 的范围从 0 到 input_list 的大小,执行
- 如果 input_list[i] 与 temp_list[i] 不相同,则
- swap_count := swap_count + 1
- 如果 input_list[i] 与 temp_list[i] 不相同,则
- 如果 swap_count 与 0 相同或 swap_count 与 2 相同,则
- 返回 True
- 否则,
- 返回 False
让我们看看以下实现以获得更好的理解 -
示例
from copy import deepcopy def solve(input_list): temp_list = deepcopy(input_list) temp_list.sort() swap_count = 0 for i in range(len(input_list)): if input_list[i] != temp_list[i]: swap_count += 1 if swap_count == 0 or swap_count == 2: print("Can be done") else: print("Can't be done") input_list = [7, 8, 12, 10, 11, 9] solve(input_list)
输入
[7, 8, 12, 10, 11, 9]
输出
Can be done
广告