Welcome to Subscribe On Youtube

1948. Delete Duplicate Folders in System

Description

Due to a bug, there are many duplicate folders in a file system. You are given a 2D array paths, where paths[i] is an array representing an absolute path to the ith folder in the file system.

  • For example, ["one", "two", "three"] represents the path "/one/two/three".

Two folders (not necessarily on the same level) are identical if they contain the same non-empty set of identical subfolders and underlying subfolder structure. The folders do not need to be at the root level to be identical. If two or more folders are identical, then mark the folders as well as all their subfolders.

  • For example, folders "/a" and "/b" in the file structure below are identical. They (as well as their subfolders) should all be marked:
    • /a
    • /a/x
    • /a/x/y
    • /a/z
    • /b
    • /b/x
    • /b/x/y
    • /b/z
  • However, if the file structure also included the path "/b/w", then the folders "/a" and "/b" would not be identical. Note that "/a/x" and "/b/x" would still be considered identical even with the added folder.

Once all the identical folders and their subfolders have been marked, the file system will delete all of them. The file system only runs the deletion once, so any folders that become identical after the initial deletion are not deleted.

Return the 2D array ans containing the paths of the remaining folders after deleting all the marked folders. The paths may be returned in any order.

 

Example 1:

Input: paths = [["a"],["c"],["d"],["a","b"],["c","b"],["d","a"]]
Output: [["d"],["d","a"]]
Explanation: The file structure is as shown.
Folders "/a" and "/c" (and their subfolders) are marked for deletion because they both contain an empty
folder named "b".

Example 2:

Input: paths = [["a"],["c"],["a","b"],["c","b"],["a","b","x"],["a","b","x","y"],["w"],["w","y"]]
Output: [["c"],["c","b"],["a"],["a","b"]]
Explanation: The file structure is as shown. 
Folders "/a/b/x" and "/w" (and their subfolders) are marked for deletion because they both contain an empty folder named "y".
Note that folders "/a" and "/c" are identical after the deletion, but they are not deleted because they were not marked beforehand.

Example 3:

Input: paths = [["a","b"],["c","d"],["c"],["a"]]
Output: [["c"],["c","d"],["a"],["a","b"]]
Explanation: All folders are unique in the file system.
Note that the returned array can be in a different order as the order does not matter.

 

Constraints:

  • 1 <= paths.length <= 2 * 104
  • 1 <= paths[i].length <= 500
  • 1 <= paths[i][j].length <= 10
  • 1 <= sum(paths[i][j].length) <= 2 * 105
  • path[i][j] consists of lowercase English letters.
  • No two paths lead to the same folder.
  • For any folder not at the root level, its parent folder will also be in the input.

Solution

Use a trie to represent the file system. In the trie, the root is "/" and each of the remaining nodes represent a folder. Then encode the folders and use a hash map to store each encoding’s number of occurrences. If an encoding occurs more than once, then it should be deleted. Finally, return the remaining folders.

  • class Solution {
        public List<List<String>> deleteDuplicateFolder(List<List<String>> paths) {
            TrieNode root = new TrieNode();
            for (List<String> path : paths) {
                TrieNode curr = root;
                for (String node : path) {
                    if (!curr.children.containsKey(node))
                        curr.children.put(node, new TrieNode());
                    curr = curr.children.get(node);
                }
            }
            Map<String, Integer> freq = new HashMap<String, Integer>();
            construct(root, freq);
            List<List<String>> remaining = new ArrayList<List<String>>();
            List<String> path = new ArrayList<String>();
            operate(root, freq, remaining, path);
            return remaining;
        }
    
        public void construct(TrieNode node, Map<String, Integer> freq) {
            if (node.children.isEmpty())
                return;
            List<String> list = new ArrayList<String>();
            for (Map.Entry<String, TrieNode> entry : node.children.entrySet()) {
                String folder = entry.getKey();
                TrieNode child = entry.getValue();
                construct(child, freq);
                list.add(folder + "(" + child.serial.toString() + ")");
            }
            Collections.sort(list);
            for (String str : list)
                node.serial.append(str);
            String serialStr = node.serial.toString();
            freq.put(serialStr, freq.getOrDefault(serialStr, 0) + 1);
        }
    
        public void operate(TrieNode node, Map<String, Integer> freq, List<List<String>> remaining, List<String> path) {
            if (freq.getOrDefault(node.serial.toString(), 0) > 1)
                return;
            if (!path.isEmpty())
                remaining.add(new ArrayList<String>(path));
            for (Map.Entry<String, TrieNode> entry : node.children.entrySet()) {
                String folder = entry.getKey();
                TrieNode child = entry.getValue();
                path.add(folder);
                operate(child, freq, remaining, path);
                path.remove(path.size() - 1);
            }
        }
    }
    
    class TrieNode {
        StringBuffer serial;
        Map<String, TrieNode> children;
    
        public TrieNode() {
            serial = new StringBuffer();
            children = new HashMap<String, TrieNode>();
        }
    }
    
  • class Trie {
    public:
        unordered_map<string, Trie*> children;
        bool deleted = false;
    };
    
    class Solution {
    public:
        vector<vector<string>> deleteDuplicateFolder(vector<vector<string>>& paths) {
            Trie* root = new Trie();
    
            for (auto& path : paths) {
                Trie* cur = root;
                for (auto& name : path) {
                    if (cur->children.find(name) == cur->children.end()) {
                        cur->children[name] = new Trie();
                    }
                    cur = cur->children[name];
                }
            }
    
            unordered_map<string, Trie*> g;
    
            auto dfs = [&](this auto&& dfs, Trie* node) -> string {
                if (node->children.empty()) return "";
    
                vector<string> subs;
                for (auto& child : node->children) {
                    subs.push_back(child.first + "(" + dfs(child.second) + ")");
                }
                sort(subs.begin(), subs.end());
                string s = "";
                for (auto& sub : subs) s += sub;
    
                if (g.contains(s)) {
                    node->deleted = true;
                    g[s]->deleted = true;
                } else {
                    g[s] = node;
                }
                return s;
            };
    
            dfs(root);
    
            vector<vector<string>> ans;
            vector<string> path;
    
            auto dfs2 = [&](this auto&& dfs2, Trie* node) -> void {
                if (node->deleted) return;
                if (!path.empty()) {
                    ans.push_back(path);
                }
                for (auto& child : node->children) {
                    path.push_back(child.first);
                    dfs2(child.second);
                    path.pop_back();
                }
            };
    
            dfs2(root);
    
            return ans;
        }
    };
    
    
  • class Trie:
        def __init__(self):
            self.children: Dict[str, "Trie"] = defaultdict(Trie)
            self.deleted: bool = False
    
    
    class Solution:
        def deleteDuplicateFolder(self, paths: List[List[str]]) -> List[List[str]]:
            root = Trie()
            for path in paths:
                cur = root
                for name in path:
                    if cur.children[name] is None:
                        cur.children[name] = Trie()
                    cur = cur.children[name]
    
            g: Dict[str, Trie] = {}
    
            def dfs(node: Trie) -> str:
                if not node.children:
                    return ""
                subs: List[str] = []
                for name, child in node.children.items():
                    subs.append(f"{name}({dfs(child)})")
                s = "".join(sorted(subs))
                if s in g:
                    node.deleted = g[s].deleted = True
                else:
                    g[s] = node
                return s
    
            def dfs2(node: Trie) -> None:
                if node.deleted:
                    return
                if path:
                    ans.append(path[:])
                for name, child in node.children.items():
                    path.append(name)
                    dfs2(child)
                    path.pop()
    
            dfs(root)
            ans: List[List[str]] = []
            path: List[str] = []
            dfs2(root)
            return ans
    
    
  • type Trie struct {
    	children map[string]*Trie
    	deleted  bool
    }
    
    func NewTrie() *Trie {
    	return &Trie{
    		children: make(map[string]*Trie),
    	}
    }
    
    func deleteDuplicateFolder(paths [][]string) (ans [][]string) {
    	root := NewTrie()
    	for _, path := range paths {
    		cur := root
    		for _, name := range path {
    			if _, exists := cur.children[name]; !exists {
    				cur.children[name] = NewTrie()
    			}
    			cur = cur.children[name]
    		}
    	}
    
    	g := make(map[string]*Trie)
    
    	var dfs func(*Trie) string
    	dfs = func(node *Trie) string {
    		if len(node.children) == 0 {
    			return ""
    		}
    		var subs []string
    		for name, child := range node.children {
    			subs = append(subs, name+"("+dfs(child)+")")
    		}
    		sort.Strings(subs)
    		s := strings.Join(subs, "")
    		if existingNode, exists := g[s]; exists {
    			node.deleted = true
    			existingNode.deleted = true
    		} else {
    			g[s] = node
    		}
    		return s
    	}
    
    	var dfs2 func(*Trie, []string)
    	dfs2 = func(node *Trie, path []string) {
    		if node.deleted {
    			return
    		}
    		if len(path) > 0 {
    			ans = append(ans, append([]string{}, path...))
    		}
    		for name, child := range node.children {
    			dfs2(child, append(path, name))
    		}
    	}
    
    	dfs(root)
    	dfs2(root, []string{})
    	return ans
    }
    
    
  • function deleteDuplicateFolder(paths: string[][]): string[][] {
        class Trie {
            children: { [key: string]: Trie } = {};
            deleted: boolean = false;
        }
    
        const root = new Trie();
    
        for (const path of paths) {
            let cur = root;
            for (const name of path) {
                if (!cur.children[name]) {
                    cur.children[name] = new Trie();
                }
                cur = cur.children[name];
            }
        }
    
        const g: { [key: string]: Trie } = {};
    
        const dfs = (node: Trie): string => {
            if (Object.keys(node.children).length === 0) return '';
    
            const subs: string[] = [];
            for (const [name, child] of Object.entries(node.children)) {
                subs.push(`${name}(${dfs(child)})`);
            }
            subs.sort();
            const s = subs.join('');
    
            if (g[s]) {
                node.deleted = true;
                g[s].deleted = true;
            } else {
                g[s] = node;
            }
            return s;
        };
    
        dfs(root);
    
        const ans: string[][] = [];
        const path: string[] = [];
    
        const dfs2 = (node: Trie): void => {
            if (node.deleted) return;
            if (path.length > 0) {
                ans.push([...path]);
            }
            for (const [name, child] of Object.entries(node.children)) {
                path.push(name);
                dfs2(child);
                path.pop();
            }
        };
    
        dfs2(root);
    
        return ans;
    }
    
    

All Problems

All Solutions