zoukankan      html  css  js  c++  java
  • (数组)众数问题

    题目:

    给一数组,如果存在众数,找出众数,即超过一半的数,如果不存在,返回-1.

    思路:

    众数:众数出现的次数大于其他所有数出现次数之和

    方法1:hashmap

    通过遍历数组,将数组每个数都通过hashmap来统计其出现的个数,如果某个数个数超过一半,则为众数。

    时间空间复杂度均为O(n)

    方法2:Moore Voting Algorithm

    众数存在的情况下,每次扔掉两个不同的数,众数不变,最终剩下的数一定是众数。

    • 扔掉一个众数和一个非众数,众数不变
    • 扔掉两个非众数,众数不变

    时间复杂度O(n),空间复杂度O(1)

    代码:

    #include <iostream>
    #include <vector>
    #include <map>
    #include <math.h>
    
    using namespace std;
    
    class Solution {
    public:
        // hash_map method
        int majorityElement1(vector<int> &num) {
            int n =num.size();
            if(n==1) return num[0];
            map<int,int> m;
            for(vector<int>::iterator it=num.begin();it!=num.end();it++){
                m[*it]+=1;
                if(m[*it] > floor(n/2))
                    return *it;
            }
            return -1;
        }
    
        // moore voting algorithm
        int majorityElement2(vector<int> &num){
            int n=num.size();
            if(n==1) return num[0];
            int count=0;
            int x;
            for(int i=0;i<n;i++){
                if(count==0){
                    x=num[i];
                    count=1;
                }
                else if(x==num[i])
                    ++count;
                else
                    --count;
            }
    
            count=0;
            for(int i=0;i<n;i++){
                if(num[i]==x)
                    count++;
            }
            if(count>floor(n/2))
                return x;
            else
                return -1;
        }
    
    };
    
    int main()
    {
        int A[]={2,3,4,5,2,6,2};
        int n=sizeof(A)/sizeof(A[0]);
        vector<int> nums(A,A+n);
        Solution s;
        cout<<s.majorityElement1(nums)<<endl;
        cout<<s.majorityElement2(nums)<<endl;
        return 0;
    }
  • 相关阅读:
    C#控件开发(三)
    C#控件开发(四)
    如何将方行的按纽改变为其他的形状
    C#绘制圆角矩形
    Win7右键不能新建文件夹
    WinForm窗体FormClosing事件导致无法关机
    反射动态调用WinForm窗口
    C#钩子本线程内消息拦截
    C#控件开发(一)
    七个C#编程小技巧
  • 原文地址:https://www.cnblogs.com/AndyJee/p/4473470.html
Copyright © 2011-2022 走看看