Problem Description
You are given two string arrays creators
and ids
, and an integer array views
, all of length n
. The i
th video on a platform was created by creators[i]
, has an id of ids[i]
, and has views[i]
views. The popularity of a creator is the sum of the number of views on all of the creator's videos. Find the creator with the highest popularity and the id of their most viewed video. If multiple creators have the highest popularity, find all of them. If multiple videos have the highest view count for a creator, find the lexicographically smallest id.
Key Insights
- Calculate the total views for each creator to determine popularity.
- Keep track of the most viewed video id for each creator.
- Use a hash table (dictionary) to store the popularity and the highest view id for each creator.
- Handle ties in popularity and video views appropriately.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(m) where m is the number of unique creators.
Solution
To solve this problem, we can use a hash table (dictionary) to keep track of each creator's total views and their most viewed video's id. As we iterate through the lists, we update the total views for each creator and check if the current video has more views than the previously recorded most viewed video. If it does, we update it; if it ties, we check for lexicographical order.
- Initialize a dictionary to store the total views and the id of the most viewed video for each creator.
- Loop through the
creators
,ids
, andviews
arrays simultaneously:- Add the views to the creator's total.
- Check if the current video has more views, or if it ties and is lexicographically smaller.
- After populating the dictionary, determine the maximum popularity.
- Collect all creators with the maximum popularity and their corresponding video ids.
- Return the results.