【PAT】A1080. Sort with Swap(0,*)(贪心算法,时间)
@(PAT)
链接:https://www.patest.cn/contests/pat-a-practise/1067
思路:
每次只准将数列的0和一个数交换,求交换的最少次数。
需要注意的地方:
1. 存数数据的方式,一开始使用的是直接一个vector直接把数组存起来,这样的话会导致遍历超时。这里使用的方法是按照index用vector把每个数字所在的位置存储起来,类似map,这样就能够利用所给的数是0-N这个条件,避免超时。
2. 一开始有2个点没过,原因是当0在位置0的时候,寻找与0交换的位置每次都从1开始找,导致超时。正确的做法是:每次从上次结束的地方开始找,因为之前找的已经被排序正确了。
My AC code:
#define _CRT_SECURE_NO_DEPRECATE
#include <iostream>
#include <vector>
#include <string>
#include <algorithm>
#include <map>
#include <cmath>
#include <cstdio>
#include <cstring>
#include <cstdlib>
using namespace std;
int main() {
int n;
scanf("%d", &n);
vector<int> nums(n);
for (int i = 0; i < n; i++) {
int temp;
scanf("%d", &temp);
nums[temp] = i;
}
int count = 0;
int i = 1;
while (1) {
if (nums[0] == 0) {
while (i < n) {
if (nums[i] != i) {
break;
}
i++;
}
if (i== n) {
printf("%d", count);
return 0;
}
nums[0] = nums[i];
nums[i] = 0;
count++;
}
// or while
if (nums[0] != 0) {
int t = nums[0];
nums[0] = nums[t];
nums[t] = t;
count++;
}
}
}