Design Twitter
Design a simplified version of Twitter where users can post tweets, follow other users, and see the 10 most recent tweets in their news feed. Your design should support the following methods: postTweet(userId, tweetId), getNewsFeed(userId), and follow(followerId, followeeId), unfollow(followerId, followeeId).
Constraints:
- postTweet(userId, tweetId) - Post a new tweet.
- getNewsFeed(userId) - Retrieve the 10 most recent tweet ids in the user's news feed.
- follow(followerId, followeeId) - Follower follows a followee.
- unfollow(followerId, followeeId) - Follower unfollows a followee.
Examples:
Input: Twitter twitter = new Twitter(); twitter.postTweet(1, 5); twitter.postTweet(1, 2); twitter.follow(1, 2); twitter.postTweet(2, 6); twitter.postTweet(1, 1); twitter.getNewsFeed(1); twitter.unfollow(1, 2); twitter.getNewsFeed(1);
Output: [[1, 1], [2, 6], [1, 2], [1, 5]]
Explanation: The news feed for user 1 should return a list of the 10 most recent tweet ids in the order they were posted, including tweets from users they follow.
Solutions
Hash Map and Priority Queue
The provided solution utilizes a hash map to store tweets and a separate hash map to store follow relationships. The postTweet method simply adds a new tweet to the tweets map. The getNewsFeed method iterates over all tweets, adding those from the user and their followees to the news feed, then sorts and returns the 10 most recent tweets. The follow and unfollow methods update the follow map accordingly.
class Twitter {
  
  private: int time;
  unordered_map<int, Tweet> tweetsMap;
  unordered_map<int, unordered_set<int>> followMap;
  
  public: Twitter() : time(0) {
  }
  void postTweet(int userId, int tweetId) {
    tweetsMap[tweetId] = {
      userId, time++}
      ;
    }
    vector<int> getNewsFeed(int userId) {
      vector<int> newsFeed;
      for (auto& tweet : tweetsMap) {
        if (tweet.second.userId == userId || followMap.find(userId) != followMap.end() && followMap[userId].find(tweet.second.userId) != followMap[userId].end()) {
          newsFeed.push_back(tweet.first);
        }
      }
      sort(newsFeed.begin(), newsFeed.end(), [](int a, int b) {
        return tweetsMap[a].time > tweetsMap[b].time;
      }
    );
    return vector<int>(newsFeed.begin(), newsFeed.begin() + min(10, (int)newsFeed.size()));
  }
  void follow(int followerId, int followeeId) {
    followMap[followerId].insert(followeeId);
  }
  void unfollow(int followerId, int followeeId) {
    if (followMap.find(followerId) != followMap.end()) {
      followMap[followerId].erase(followeeId);
    }
  }
  
  private: struct Tweet {
    int userId;
    int time;
  }
  ;
}
;Follow-up:
How would you optimize the getNewsFeed method to improve performance?

