1. 程式人生 > 其它 >python擷取陣列的一半_python:28.陣列中出現超過一半的數字

python擷取陣列的一半_python:28.陣列中出現超過一半的數字

技術標籤:python擷取陣列的一半

ceb3833be37a7eb33484af58c02778c3.png

題目描述

陣列中有一個數字出現的次數超過陣列長度的一半,請找出這個數字。例如輸入一個長度為9的陣列{1,2,3,2,2,2,5,4,2}。由於數字2在陣列中出現了5次,超過陣列長度的一半,因此輸出2。如果不存在則輸出0。

解析

1.構建hash表

# -*- coding:utf-8 -*-
class Solution:
    def MoreThanHalfNum_Solution(self, numbers):
        # write code here
        hashmap = {}
        if not numbers:
            return 0
        for i in numbers:
            if i in hashmap.keys():
                hashmap[i] += 1
            else:
                hashmap[i] = 1
        
        for key in hashmap.keys():
            if hashmap[key] > len(numbers) // 2:
                return key
        return 0
            

2.利用count計數

# -*- coding:utf-8 -*-
class Solution:
    def MoreThanHalfNum_Solution(self, numbers):
        # write code here
        for i in numbers:
            if numbers.count(i) > len(numbers) // 2:
                return i
        
        return 0