-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathFindDuplicateFileInSystem.java
82 lines (80 loc) · 2.91 KB
/
FindDuplicateFileInSystem.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
/*https://leetcode.com/problems/find-duplicate-file-in-system/*/
class Solution {
public List<List<String>> findDuplicate(String[] paths) {
List<List<String>> result = new ArrayList<List<String>>();
Map<String,List<String>> map = new HashMap<String,List<String>>();
for (String p : paths)
{
List<String> files = new ArrayList<String>(), contents = new ArrayList<String>();
StringBuilder content = new StringBuilder(""), file = new StringBuilder(""), path = new StringBuilder("");
int mode = 0;
for (char ch: p.toCharArray())
{
if (ch == ' ')
{
mode = 1;
continue;
}
else if (ch == '(')
{
files.add(file.toString());
file = new StringBuilder("");
mode = 2;
continue;
}
else if (ch == ')')
{
contents.add(content.toString());
content = new StringBuilder("");
mode = 3;
continue;
}
if (mode == 0)
path.append(ch);
else if (mode == 1)
file.append(ch);
else if (mode == 2)
content.append(ch);
}
for (int i = 0; i < contents.size(); ++i)
{
String f = files.get(i);
String c = contents.get(i);
if (!map.containsKey(c))
map.put(c,new ArrayList<String>());
StringBuilder temp = new StringBuilder(path);
temp.append("/");
temp.append(f);
map.get(c).add(temp.toString());
}
}
for (Map.Entry entry : map.entrySet())
{
List<String> list = (List)entry.getValue();
if (list.size() > 1)
result.add(list);
}
return result;
}
}
public class Solution {
public List < List < String >> findDuplicate(String[] paths) {
HashMap < String, List < String >> map = new HashMap < > ();
for (String path: paths) {
String[] values = path.split(" ");
for (int i = 1; i < values.length; i++) {
String[] name_cont = values[i].split("\\(");
name_cont[1] = name_cont[1].replace(")", "");
List < String > list = map.getOrDefault(name_cont[1], new ArrayList < String > ());
list.add(values[0] + "/" + name_cont[0]);
map.put(name_cont[1], list);
}
}
List < List < String >> res = new ArrayList < > ();
for (String key: map.keySet()) {
if (map.get(key).size() > 1)
res.add(map.get(key));
}
return res;
}
}