思路:建立2个List存储Twitter信息(userId和twitterId),建立一个map<Integer,Map<Integer,Integer>>存储follow信息(默认必须存储自己的,当然可以在get的时候添加自己的),剩下的就是一些细节问题,按照题目的意思来。
GitHub地址:https://github.com/corpsepiges/leetcode
public class Twitter {
List<Integer> tweetList;
List<Integer> userList;
Map<Integer, Map<Integer,Integer>> followMap;
/** Initialize your data structure here. */
public Twitter() {
tweetList=new ArrayList<Integer>();
userList=new ArrayList<Integer>();
followMap=new HashMap<Integer, Map<Integer,Integer>>();
}
/** Compose a new tweet. */
public void postTweet(int userId, int tweetId) {
if (followMap.get(userId)==null) {
Map<Integer,Integer> map=new HashMap<Integer,Integer>();
map.put(userId, 1);
followMap.put(userId, map);
}
tweetList.add(tweetId);
userList.add(userId);
}
/** Retrieve the 10 most recent tweet ids in the user's news feed. Each item in the news feed must be posted by users who the user followed or by the user herself. Tweets must be ordered from most recent to least recent. */
public List<Integer> getNewsFeed(int userId) {
List<Integer> ans=new ArrayList<Integer>();
if (followMap.get(userId)==null) {
return ans;
}
int i=tweetList.size()-1;
Set<Integer> follow=followMap.get(userId).keySet();
while (i>=0&&ans.size()<10) {
int id=userList.get(i);
int tweet=tweetList.get(i);
if (follow.contains(id)) {
ans.add(tweet);
}
i--;
}
return ans;
}
/** Follower follows a followee. If the operation is invalid, it should be a no-op. */
public void follow(int followerId, int followeeId) {
if (followMap.get(followerId)==null) {
Map<Integer, Integer> map=new HashMap<Integer,Integer>();
map.put(followerId, 1);
followMap.put(followerId, map);
}
followMap.get(followerId).put(followeeId, 1);
}
/** Follower unfollows a followee. If the operation is invalid, it should be a no-op. */
public void unfollow(int followerId, int followeeId) {
if (followerId!=followeeId&&followMap.get(followerId)!=null&&followMap.get(followerId).get(followeeId)!=null) {
followMap.get(followerId).remove(followeeId);
}
}
}
/**
* Your Twitter object will be instantiated and called as such:
* Twitter obj = new Twitter();
* obj.postTweet(userId,tweetId);
* List<Integer> param_2 = obj.getNewsFeed(userId);
* obj.follow(followerId,followeeId);
* obj.unfollow(followerId,followeeId);
*/
本文介绍了一种使用Java实现Twitter核心功能的方法,包括发推文、获取新闻动态、关注和取消关注等操作。通过两个List和一个Map结构存储用户和推文信息。
421

被折叠的 条评论
为什么被折叠?



