-
Notifications
You must be signed in to change notification settings - Fork 7
/
Copy path825.friends-of-appropriate-ages.py
58 lines (52 loc) · 1.63 KB
/
825.friends-of-appropriate-ages.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
#
# @lc app=leetcode id=825 lang=python3
#
# [825] Friends Of Appropriate Ages
#
# @lc code=start
# TAGS: Array
import bisect
import collections
class Solution:
# 420 ms, 21.22%. Time: O(NlogN). Space: O(N)
def numFriendRequests(self, ages: List[int]) -> int:
def bisect_left(ages, target):
lo, hi = 0, len(ages) - 1
while lo < hi:
mid = (hi - lo) // 2 + lo
if ages[mid] < target:
lo = mid + 1
else:
hi = mid
return lo
def bisect_right(ages, target):
lo, hi = 0, len(ages) - 1
while lo < hi:
mid = hi - (hi - lo) // 2
if ages[mid] <= target:
lo = mid
else:
hi = mid - 1
return lo + 1
ans = 0
ages.sort()
for i, age in enumerate(ages):
upper_age = age
lower_age = age // 2 + 8
if upper_age < lower_age:
continue
i1 = bisect.bisect_left(ages, lower_age)
i2 = bisect.bisect_right(ages, upper_age) - 1
ans += i2 - i1
return ans
# 712ms, 8.9%. Time: O(N). Space: O(1). because age < 120
def numFriendRequests(self, ages: List[int]) -> int:
counter = collections.Counter(ages)
ans = 0
for age in ages:
upper_age = age
lower_age = age // 2 + 8
if upper_age < lower_age: continue
ans += sum(counter[a] for a in range(lower_age, upper_age + 1)) - 1
return ans
# @lc code=end