765. 情侣牵手
N 对情侣坐在连续排列的 2N 个座位上,想要牵到对方的手。 计算最少交换座位的次数,以便每对情侣可以并肩坐在一起。 一次交换可选择任意两人,让他们站起来交换座位。
人和座位用 0
到 2N-1
的整数表示,情侣们按顺序编号,第一对是 (0, 1)
,第二对是 (2, 3)
,以此类推,最后一对是 (2N-2, 2N-1)
。
这些情侣的初始座位 row[i]
是由最初始坐在第 i 个座位上的人决定的。
示例 1:
输入: row = [0, 2, 1, 3] 输出: 1 解释: 我们只需要交换row[1]和row[2]的位置即可。
示例 2:
输入: row = [3, 2, 0, 1] 输出: 0 解释: 无需交换座位,所有的情侣都已经可以手牵手了。
说明:
len(row)
是偶数且数值在[4, 60]
范围内。- 可以保证
row
是序列0...len(row)-1
的一个全排列。
情人节让单身狗🐕帮别人牵手👫还行,我劝这不讲码德的刷题网站耗子🐀尾汁
class Solution { public: int minSwapsCouples(vector<int>& row) { int cnt=0; for(vector<int>::iterator it=row.begin();it!=row.end();it+=2){ int num=(*it)%2==0? *it+1:*it-1; vector<int>::iterator match=find(it+1,row.end(),num); if(match!=it+1){ swap(*(it+1),*match); cnt++; } } return cnt; } };
class Solution { public: void Swap(vector<int>&row,vector<int>&pos,int pos1,int pos2){ swap(row[pos1],row[pos2]); swap(pos[row[pos1]],pos[row[pos2]]); } int minSwapsCouples(vector<int>& row) { int n=row.size(); int cnt=0; vector<int>pos(n); for(int i=0;i<n;i++) pos[row[i]]=i; for(int i=0;i<n;i+=2){ int couple=row[i]%2==0? row[i]+1:row[i]-1; if(pos[couple]!=i+1){ Swap(row,pos,i+1,pos[couple]); cnt++; } } return cnt; } };
class Solution: def minSwapsCouples(self, row: List[int]) -> int: cnt=0 for i in range(0,len(row),2): p1=row[i] p2=p1+1 if p1%2==0 else p1-1 if row[i+1]!=p2: j=row.index(p2) row[i+1],row[j]=row[j],row[i+1] cnt+=1 return cnt