Hello!很高兴又见到你了~~~
看看今天要学点什么来充实大脑吧------
data:image/s3,"s3://crabby-images/962b1/962b193bb3664a7816b9482bb3294c756fc5be8a" alt=""
目录
[至此结束,Show Time!](#至此结束,Show Time!)
1、移除元素
data:image/s3,"s3://crabby-images/7de12/7de126cc9002e1865457cf4d0f10b4959309f50b" alt=""
data:image/s3,"s3://crabby-images/8cf25/8cf255bbb388b6df3b8d12da118c25984b50022d" alt=""
【思路+图解】
data:image/s3,"s3://crabby-images/47647/4764757cbdd89694e9719912a7f02d423213a21d" alt=""
data:image/s3,"s3://crabby-images/3b238/3b238a99de3ed8c844a392a1ded46269eb4056de" alt=""
上面的例子第一个数是等于val,当不等于val 时可以自己试一下。新思路的时间复杂度为O(N),空间复杂度为O(N),结合思路我们尝试上代码:
data:image/s3,"s3://crabby-images/7502f/7502f7e11cbea3aa31549bc2e9ed17273c4fd683" alt=""
cs
int removeElement(int* nums, int numsSize, int val)
{
int src=0;
int dst=0;
while(src<numsSize)
{
if(nums[src]==val)
{
src++;
}
else
{
nums[dst++]=nums[src++];
//src++;
//dst++;
}
}
return dst;
}
【总结】
通过把 src 指向的不等于 val 的数赋给 dst 指向的位置,实现把不等于 val 的数放到前面,而且刚好 dst 的值就是数组中不等于 val 的数据的个数,同时要注意循环的条件。
2、删除有序数组中的重复项
data:image/s3,"s3://crabby-images/ddc61/ddc61282a109a3b9b1d45542bbe40ff7a400e328" alt=""
【思路+图解】
data:image/s3,"s3://crabby-images/95ec9/95ec9bf02277f54b7a861d77fa6ef50750619796" alt=""
data:image/s3,"s3://crabby-images/aa73e/aa73ed0058ae9f5e9c6ff452a56f8db5d286c165" alt=""
咱们直接上代码:
data:image/s3,"s3://crabby-images/870e6/870e65528020fcd6772791bc6a4a86b93843191d" alt=""
在图解第一个步骤中出现了重复赋值的情况。经过 dst +1 后,dst 指向的数据等于2,src 指向的数据也等于2,再把 src 指向数据的值赋给dst,这里出现了重复赋值,我们优化一下代码:
data:image/s3,"s3://crabby-images/c28c1/c28c1e314379512a9296cb492999d9ce3938e95e" alt=""
cs
int removeDuplicates(int* nums, int numsSize)
{
int dst=0;
int src=1;
while(src<numsSize)
{
if(nums[dst]!=nums[src]&&++dst!=src)
{
nums[dst]=nums[src];
}
src++;
}
return dst+1;
}
【总结】
通过 src 遍历数组,如果与 dst 指向的数据相等就跳过,不相等就先 dst++,再赋给 dst 指向的位置,限制条件 src<数组长度。这种方法思路清晰!
3、合并两个有序数组
data:image/s3,"s3://crabby-images/5d0f9/5d0f9f8751b5e3118c4dcca38048666646818721" alt=""
【思路+图解】
data:image/s3,"s3://crabby-images/f1cff/f1cff96c1ad538365ea690cb823ded7ca28ef330" alt=""
data:image/s3,"s3://crabby-images/8851d/8851dad0d0d1faea58f385335138895f9e5d6532" alt=""
思路理清,上代码:
data:image/s3,"s3://crabby-images/b09ef/b09efca4165597a38183c765224bd692c3a85bad" alt=""
cs
void merge(int* nums1, int nums1Size, int m, int* nums2, int nums2Size, int n)
{
int l1=m-1;
int l2=n-1;
int l3=m+n-1;
while(l1>=0&&l2>=0)
{
if(nums1[l1]>nums2[l2])
{
nums1[l3--]=nums1[l1--];
}
else
{
nums1[l3--]=nums2[l2--];
}
}
//出了while循环,要么l1<0,要么l2<0
while(l2>=0)
{
nums1[l3--]=nums2[l2--];
}
}
【总结】
妙!多理解理解,记住这种方法,悟一悟,反正我太菜想不到这种方法......
至此结束,Show Time!
完------
data:image/s3,"s3://crabby-images/19168/19168771e26c40202c0c7f5a9ff3fa969c8f6639" alt=""