[Leedcode][JAVA][第355题][设计推特][面向对象][哈希表][链表][优先队列]

【问题描述】355 设计推特

设计一个简化版的推特(Twitter),可以让用户实现发送推文,关注/取消关注其他用户,能够看见关注人(包括自己)的最近十条推文。你的设计需要支持以下的几个功能:postTweet(userId, tweetId): 创建一条新的推文
getNewsFeed(userId): 检索最近的十条推文。每个推文都必须是由此用户关注的人或者是用户自己发出的。推文必须按照时间顺序由最近的开始排序。
follow(followerId, followeeId): 关注一个用户
unfollow(followerId, followeeId): 取消关注一个用户
示例:Twitter twitter = new Twitter();// 用户1发送了一条新推文 (用户id = 1, 推文id = 5).
twitter.postTweet(1, 5);// 用户1的获取推文应当返回一个列表,其中包含一个id为5的推文.
twitter.getNewsFeed(1);
// 用户1关注了用户2.
twitter.follow(1, 2);
// 用户2发送了一个新推文 (推文id = 6).
twitter.postTweet(2, 6);
// 用户1的获取推文应当返回一个列表,其中包含两个推文,id分别为 -> [6, 5].
// 推文id6应当在推文id5之前,因为它是在5之后发送的.
twitter.getNewsFeed(1);
// 用户1取消关注了用户2.
twitter.unfollow(1, 2);
// 用户1的获取推文应当返回一个列表,其中包含一个id为5的推文.
// 因为用户1已经不再关注用户2.
twitter.getNewsFeed(1);

【解答思路】

1. 设计思路

image.png
image.png

import java.util.ArrayList;
import java.util.HashMap;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import java.util.PriorityQueue;
import java.util.Set;public class Twitter {/*** 用户 id 和推文(单链表)的对应关系*/private Map<Integer, Tweet> twitter;/*** 用户 id 和他关注的用户列表的对应关系*/private Map<Integer, Set<Integer>> followings;/*** 全局使用的时间戳字段,用户每发布一条推文之前 + 1*/private static int timestamp = 0;/*** 合并 k 组推文使用的数据结构(可以在方法里创建使用),声明成全局变量非必需,视个人情况使用*/private static PriorityQueue<Tweet> maxHeap;/*** Initialize your data structure here.*/public Twitter() {followings = new HashMap<>();twitter = new HashMap<>();maxHeap = new PriorityQueue<>((o1, o2) -> -o1.timestamp + o2.timestamp);}/*** Compose a new tweet.*/public void postTweet(int userId, int tweetId) {timestamp++;if (twitter.containsKey(userId)) {Tweet oldHead = twitter.get(userId);Tweet newHead = new Tweet(tweetId, timestamp);newHead.next = oldHead;twitter.put(userId, newHead);} else {twitter.put(userId, new Tweet(tweetId, timestamp));}}/*** 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) {// 由于是全局使用的,使用之前需要清空maxHeap.clear();// 如果自己发了推文也要算上if (twitter.containsKey(userId)) {maxHeap.offer(twitter.get(userId));}Set<Integer> followingList = followings.get(userId);if (followingList != null && followingList.size() > 0) {for (Integer followingId : followingList) {Tweet tweet = twitter.get(followingId);if (tweet != null) {maxHeap.offer(tweet);}}}List<Integer> res = new ArrayList<>(10);int count = 0;while (!maxHeap.isEmpty() && count < 10) {Tweet head = maxHeap.poll();res.add(head.id);// 这里最好的操作应该是 replace,但是 Java 没有提供if (head.next != null) {maxHeap.offer(head.next);}count++;}return res;}/*** Follower follows a followee. If the operation is invalid, it should be a no-op.** @param followerId 发起关注者 id* @param followeeId 被关注者 id*/public void follow(int followerId, int followeeId) {// 被关注人不能是自己if (followeeId == followerId) {return;}// 获取我自己的关注列表Set<Integer> followingList = followings.get(followerId);if (followingList == null) {Set<Integer> init = new HashSet<>();init.add(followeeId);followings.put(followerId, init);} else {if (followingList.contains(followeeId)) {return;}followingList.add(followeeId);}}/*** Follower unfollows a followee. If the operation is invalid, it should be a no-op.** @param followerId 发起取消关注的人的 id* @param followeeId 被取消关注的人的 id*/public void unfollow(int followerId, int followeeId) {if (followeeId == followerId) {return;}// 获取我自己的关注列表Set<Integer> followingList = followings.get(followerId);if (followingList == null) {return;}// 这里删除之前无需做判断,因为查找是否存在以后,就可以删除,反正删除之前都要查找followingList.remove(followeeId);}/*** 推文类,是一个单链表(结点视角)*/private class Tweet {/*** 推文 id*/private int id;/*** 发推文的时间戳*/private int timestamp;private Tweet next;public Tweet(int id, int timestamp) {this.id = id;this.timestamp = timestamp;}}public static void main(String[] args) {Twitter twitter = new Twitter();twitter.postTweet(1, 1);List<Integer> res1 = twitter.getNewsFeed(1);System.out.println(res1);twitter.follow(2, 1);List<Integer> res2 = twitter.getNewsFeed(2);System.out.println(res2);twitter.unfollow(2, 1);List<Integer> res3 = twitter.getNewsFeed(2);System.out.println(res3);}作者:liweiwei1419
链接:https://leetcode-cn.com/problems/design-twitter/solution/ha-xi-biao-lian-biao-you-xian-dui-lie-java-by-liwe/

【总结】

1.维护数据
  • 如果需要维护数据的时间有序性,链表在特殊场景下可以胜任。因为时间属性通常来说是相对固定的,而不必去维护顺序性;
  • 如果需要动态维护数据有序性,「优先队列」(堆)是可以胜任的;
2. maxHeap = new PriorityQueue<>((o1, o2) -> -o1.timestamp + o2.timestamp); 中的(o1, o2) -> -o1.timestamp + o2.timestamp
这里是 Java 的 lambda 表达式,等价于:Java 代码:maxHeap = new PriorityQueue<>(new Comparator<Tweet>() {@Overridepublic int compare(Tweet o1, Tweet o2) {return -o1.timestamp + o2.timestamp;}
});
lambda 表达式,它是把函数作为一个方法的参数的一种等价写法,可以认为是「语法糖」。在 IDEA 工具里面写匿名方法,然后再让 IDEA 帮助优化成 lambda 表达式。
3. 面向对象 注意细节 分级思考 想好再码

原文链接;https://leetcode-cn.com/problems/design-twitter/solution/ha-xi-biao-lian-biao-you-xian-dui-lie-java-by-liwe/

done is better than perfect

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/425998.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

java中sofa并发访问,云上的日子:用块存储、文件存储还是对象存储?

当今最流行的存储类型是哪种?答案毫无疑问是&#xff1a;块存储、文件存储还有对象存储!作为伴随着云计算兴起的存储类型&#xff0c;这三种存储绝对是这个时代的存储明星&#xff0c;用C位出道来形容再合适不过。那么&#xff0c;在云上的日子&#xff0c;究竟该用块存储、文…

java学习(157):线程的引入

//线程 public class test102 extends Thread{public void run(){while (true){System.out.println("我是线程1"this.getName());try {Thread.sleep( 1000 );}catch (InterruptedException e){e.printStackTrace();}}} }//线程 public class test103 extends Thread{…

【读书笔记】计算机是怎样跑起来的

2018年底读的&#xff0c;才整理完笔记。说说感想吧&#xff0c;每个章节虽然都是基础的知识&#xff0c;但是每次读起来还是收获颇多&#xff0c;很多自己说不清楚或者不理解的概念&#xff0c;感觉在认识层面有些结成网了。对于每个方面的专业知识&#xff0c;要按需深入学习…

[剑指offer][JAVA]面试题[第23题][合并K个排序链表][分治][优先队列]

【问题描述】23.合并K个排序链表 合并 k 个排序链表&#xff0c;返回合并后的排序链表。请分析和描述算法的复杂度。 示例: 输入: [1->4->5,1->3->4,2->6 ] 输出: 1->1->2->3->4->4->5->6【解答思路】 1. 两两合并 public class Soluti…

源码安装的php如何启动脚本,PHP源码编译安装管理常用脚本

#!/bin/sh# 编译安装管理PHPAppphpAppNamePHPAppBase/AppAppDir$AppBase/$AppAppProg$AppDir/sbin/php-fpmAppIni$AppDir/etc/php.iniAppConf$AppDir/etc/php-fpm.confExtensionDir$($AppDir/bin/php-config --extension-dir)AppSrcBase/App/srcAppSrcFile$App-*.tar.*AppSrcDi…

java学习(158):线程的常用方法yield,优先级

//线程 public class test102 extends Thread{public void run(){while (true){System.out.println("我是线程1"this.getName());try {Thread.sleep( 1000 );}catch (InterruptedException e){e.printStackTrace();}}} }//线程 public class test103 extends Thread{…

[Leedcode][JAVA][第542题][01矩阵][BFS]

【问题描述】542. 01 矩阵 给定一个由 0 和 1 组成的矩阵&#xff0c;找出每个元素到最近的 0 的距离。 两个相邻元素间的距离为 1 。 示例 : 输入: 0 0 0 0 1 0 1 1 1 输出: 0 0 0 0 1 0 1 2 1 注意: 给定矩阵的元素个数不超过 10000。 给定矩阵中至少有一个元素是 0。 矩阵…

php where or,php – laravel中whereOr和orWhere之间的区别

我在Laravel的代码中使用whereOr和orWhere都可以,但有时会产生不同的结果$user_query User::select( users.id, users.username,users.first_name,users.last_name, users.photo )->where(users.status,1)->where(users.id,!,$id)->where(users.username,like,%.$sea…

java学习(159):两个线程共同完成1到100计算

//利用两个线程实现1到100的计算 public class MyRannable implements java.lang.Runnable{private Thread th_0;private Thread th_2;int sum0;//存储累加和的结果int i1;public void run(){String thNameThread.currentThread().getName();//获取当前线程的名字while (i<…

约瑟夫问题(Josephus Problem)的两种快速递归算法

参考&#xff1a;http://haoyuanliu.github.io/2016/04/18/Josephus/ 转载于:https://www.cnblogs.com/xiaoshayu520ly/p/10263113.html

java学习(160):interrupt方法

import java.util.PrimitiveIterator;public class Classroon implements Runnable {private Thread student;//学生线程private Thread teacher;//老师线程public Classroon(){student new Thread( this,"小迷糊" );teacher new Thread( this,"大教授" …

elementui图片上传php,vue+element-ui+富文本————图片上传

最近用vueelement-ui开发一套后台管理系统&#xff0c;其中项目中需要用到富文本编辑器&#xff0c;这里总结下开发过程中遇到的坑和使用方法。刚开始用的是vue-quill-editor结合element-ui上传图片到服务器&#xff0c;name问题来了 按照官方文档上面的方式。下面是我的代码cl…

[剑指offer][JAVA][面试第40题][最小的k个数][快选][堆][BST]

【问题描述】面试第40题 最小的k个数 输入整数数组 arr &#xff0c;找出其中最小的 k 个数。例如&#xff0c;输入4、5、1、6、2、7、3、8这8个数字&#xff0c;则最小的4个数字是1、2、3、4。 示例 &#xff1a; 输入&#xff1a;arr [3,2,1], k 2 输出&#xff1a;[1,2] …

表数据的增删改查

一、插入数据 第一种插入方式 语法&#xff1a; insert into 表名(字段1,字段2....) values(值1,值2....) #往指定的表中添加数据&#xff1a;insert into 表名(字段1,字段2....) values(值1,值2....) INSERT INTO java成绩表(姓名,班级,Java成绩) VALUES(王二麻子,dt55班,90.5…

java学习(161):同步代码块

public class SynCode implements Runnable{public void run(){synchronized (this){Thread currentThread.currentThread();//获取当前线程for(int i1;i<10;i){System.out.println( "当前执行代码块的名称为" current.getName());try {Thread.sleep( 1000 );}cat…

ubuntu eclipse java,Ubuntu快速安装eclipse

Ubuntu快速安装eclipse教程&#xff0c;供大家参考&#xff0c;具体内容如下1.先安装jdk&#xff0c;详情见链接2.下载eclipse.tar.gz安装包(官网下载)3.把下载好的安装包复制到/usr目录下先cd到tar.gz压缩包的目录下cd /home/k/下载sudo cp eclipse.tar.gz /usr/4.解压tar.gz文…

[如何做研究][如何写论文]

音频 沈向洋&#xff1a;有效的科研法则 科学上网&#xff1a;https://www.youtube.com/watch?vU6r3R87AKHI&featureyoutu.be 视频 文章 【经典重温】MIT人工智能实验室: 如何做研究&#xff1f; 机器学习研究者的养成指南&#xff0c;吴恩达建议这么读论文 周志华 […

java学习(162):同步对象锁

定义一个dog类 public class Dog {private String name;public String getName() {return name;}public void setName(String name) {this.name name;} }定义一个同步对象锁 //同步对象锁 public class SysObject implements Runnable {private Dog dog;public SysObject(){…

word java api,是否有可以创建丰富Word文档的Java API?

2007年,我的项目成功使用OpenOffice.org的Universal Network Objects(UNO)界面,以编程方式从Java Web应用程序(Struts / JSP框架)生成MS-Word兼容文档(* .doc)以及相应的PDF文档.OpenOffice UNO还允许您构建与MS-Office兼容的图表,电子表格,演示文稿等.我们能够动态构建复杂的W…

[Leedcode][JAVA][第56题][合并区间][数组][贪心算法]

【问题描述】56.合并区间 给出一个区间的集合&#xff0c;请合并所有重叠的区间。 示例 1: 输入: [[1,3],[2,6],[8,10],[15,18]] 输出: [[1,6],[8,10],[15,18]] 解释: 区间 [1,3] 和 [2,6] 重叠, 将它们合并为 [1,6].【解答思路】 1. 双指针 左边位置一定是确定&#xff0c;…