• 【打卡】牛客网:BM54 三数之和


    资料:

    1. 排序:Sort函数

    升序:默认。

    降序:加入第三个参数,可以greater(),也可以自己定义

    本题中发现,sort居然也可以对vector>排序。 

    C++ Sort函数详解_zhangbw~的博客-CSDN博客

    自己写的:

    感觉我写的就是排列组合。

    感觉时间复杂度很大,应该超过O(n^2)。

    1. class Solution {
    2. public:
    3. /**
    4. * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
    5. *
    6. *
    7. * @param num int整型vector
    8. * @return int整型vector>
    9. */
    10. vectorint> > threeSum(vector<int>& num) {
    11. // write code here
    12. vectorint> > res;
    13. for (int i = 0; i < num.size(); i++) {
    14. for (int j = i + 1; j < num.size() - 1; j++) { // 粗心,是j = i + 1,不是j = i
    15. if (find(num.begin() + j + 1, num.end(), -num[i] - num[j]) != num.end()) { //存在这样的[a,b,c]
    16. vector<int> temp = {num[i], num[j], -num[i] - num[j]}; // 粗心,不是temp = {i, j, -i-j};
    17. sort(temp.begin(), temp.end());
    18. if (find(res.begin(), res.end(), temp) == res.end()) //之前没出现过这样的[a,b,c]
    19. res.push_back(temp);
    20. }
    21. }
    22. }
    23. sort(res.begin(), res.end()); //题目中没说要排序啊!
    24. return res;
    25. }
    26. };

    模板的:

    • 两个指针单向移动。保证答案的完整性。
    • 三个值移动时都去重。保证答案的去重性。
    • 处理边界的时候,需要思考很久。所以还是死记这种方法!!
    • 由于两个指针在第二个循环里一起移动,所以时间复杂度确实是O(n^2).
    1. class Solution {
    2. public:
    3. /**
    4. * 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
    5. *
    6. *
    7. * @param num int整型vector
    8. * @return int整型vector>
    9. */
    10. vectorint> > threeSum(vector<int>& num) {
    11. // write code here
    12. vectorint> > res;
    13. int n = num.size();
    14. if(n < 3)
    15. return res;
    16. sort(num.begin(), num.end()); // 粗心,忘记
    17. for(int i = 0; i < n-2; i++){
    18. // 去重
    19. if( i != 0 && num[i] == num[i-1]){ //粗心,不是num[i] == num[i+1]
    20. // i++; //粗心,不需要++的
    21. continue;
    22. }
    23. int left = i + 1;
    24. int right = n - 1;
    25. while(left < right){
    26. if(num[i]+num[left]+num[right]== 0){
    27. res.push_back({num[i], num[left], num[right]}); //这种初始化!
    28. while(left + 1 < right && num[left] == num[left+1]){ // 去重
    29. left ++;
    30. }
    31. while(right - 1 > left && num[right] == num[right-1]){ // 去重
    32. right --;
    33. }
    34. left ++; //粗心,忘记
    35. right --; //粗心,忘记
    36. }
    37. else if (num[i]+num[left]+num[right] < 0)
    38. left ++;
    39. else
    40. right --;
    41. }
    42. }
    43. return res;
    44. }
    45. };

  • 相关阅读:
    PowerShell 对象的序列化和反序列化
    [附源码]Java计算机毕业设计SSM扶贫产品展销平台小程序
    GUI:贪吃蛇
    数据库新开账号,并授予了相应表的查询权限。访问时,其他PC端远程被拒绝
    论文阅读之《Quasi-Unsupervised Color Constancy 》
    【题解】JZOJ3854 分组
    Oracle进阶
    Linux中的用户、组和权限
    215 数组中的第K个最大元素
    Java基于Vue+SpringBoot的酒店客房管理系统
  • 原文地址:https://blog.csdn.net/weixin_47173826/article/details/134444872