我有一个如下对象:
public class Record{
Int ID;
String title;
Date date;
Duration time;
public Record createRecord(int ID, String title, Date date, Duration time){
this.ID= ID;
this.title = title;
this.date = date;
this.time = time;
return this;
}
}
我在List中存储多个对象。在插入新记录时,我需要检查列表是否已经有一个只有相同标题和日期的对象,并替换其中的时间。
我正在寻找能够达到O(1)时间的任何解决方案。
答案 0 :(得分:3)
在ArrayList中搜索现有元素将在排序的ArrayList的情况下获取O(n)(例如,您保持记录已排序),它将需要O(logn)时间。因此,为了实现所需的功能,我使用Map结构,按标题索引,然后按日期。像这样:
// Create general records DB
Map<String, Map<Date, Record>> records = new HashMap<>();
// Create sub DB for records with same ID
Map<Date, Record> subRecords = new HashMap<>();
// Assuming you've got from somewhere id, title and rest of the parameters
subRecords.put(recordDate, new Record(id, title, time, duration));
records.put(recordId, subRecords)
// Now checking and updating records as simple as
sub = records.get(someTitle); // Assuming you've got someTitle
if (sub != null) {
record = sub.get(someDate); // Same for someDate
if (record != null) {
record.updateTime(newTime);
}
}
使用Map of Map将阻止你需要覆盖equals和hashCode方法,而我同意Map<String, Map<Date, Record>>
可能看起来有点花哨或奇怪。虽然将为您提供更新记录或在O(1)时间内检查是否存在的能力。另外一点是,您不需要创建记录来检查是否存在或更新,您可以直接使用标题和日期来检索您需要的内容。
答案 1 :(得分:0)
你可以通过HashSet
并实施
@Override
public boolean equals(Object obj) {
if(this == obj) return true;
if(!(obj instanceof Record)) return false;
Record otherRecord = (Record)obj;
return (this.time.equals(otherRecord.time) && this.title.equals(otherRecord.title));
}
@Override
public int hashCode() {
int result = titile != null ? titile.hashCode() : 0;
result = 31 * result + (time != null ? time.hashCode() : 0);
return result;
}
使用哈希集插入
HashSet hset = new HashSet<Record>();
if(!hset.add(record)){
hset.remove(record);
hset.add(record);
}
然后你可以将HashSet转换为你想要的List。
答案 2 :(得分:0)
利用可为您提供O(1)
访问权限的地图实施,例如HashMap
或ConcurrentHashMap
。
伪代码:
class Record {
static class Key {
Date date
String title
// proper hashCode and equals
}
Date date
String title
int id
Time time
Key getKey() {...}
}
Map<Record.Key, Record> recordMap = new HashMap<>();
for (record : records) {
recordMap.merge(record.getKey(), record,
(oldRecord, newRecord) -> oldRecord.setTime(newRecord.getTime()));
}