返回介绍

solution / 0000-0099 / 0071.Simplify Path / README_EN

发布于 2024-06-17 01:04:40 字数 7204 浏览 0 评论 0 收藏 0

71. Simplify Path

中文文档

Description

Given a string path, which is an absolute path (starting with a slash '/') to a file or directory in a Unix-style file system, convert it to the simplified canonical path.

In a Unix-style file system, a period '.' refers to the current directory, a double period '..' refers to the directory up a level, and any multiple consecutive slashes (i.e. '//') are treated as a single slash '/'. For this problem, any other format of periods such as '...' are treated as file/directory names.

The canonical path should have the following format:

  • The path starts with a single slash '/'.
  • Any two directories are separated by a single slash '/'.
  • The path does not end with a trailing '/'.
  • The path only contains the directories on the path from the root directory to the target file or directory (i.e., no period '.' or double period '..')

Return _the simplified canonical path_.

 

Example 1:

Input: path = "/home/"
Output: "/home"
Explanation: Note that there is no trailing slash after the last directory name.

Example 2:

Input: path = "/../"
Output: "/"
Explanation: Going one level up from the root directory is a no-op, as the root level is the highest level you can go.

Example 3:

Input: path = "/home//foo/"
Output: "/home/foo"
Explanation: In the canonical path, multiple consecutive slashes are replaced by a single one.

 

Constraints:

  • 1 <= path.length <= 3000
  • path consists of English letters, digits, period '.', slash '/' or '_'.
  • path is a valid absolute Unix path.

Solutions

Solution 1: Stack

We first split the path into a number of substrings split by '/'. Then, we traverse each substring and perform the following operations based on the content of the substring:

  • If the substring is empty or '.', no operation is performed because '.' represents the current directory.
  • If the substring is '..', the top element of the stack is popped, because '..' represents the parent directory.
  • If the substring is other strings, the substring is pushed into the stack, because the substring represents the subdirectory of the current directory.

Finally, we concatenate all the elements in the stack from the bottom to the top of the stack to form a string, which is the simplified canonical path.

The time complexity is $O(n)$ and the space complexity is $O(n)$, where $n$ is the length of the path.

class Solution:
  def simplifyPath(self, path: str) -> str:
    stk = []
    for s in path.split('/'):
      if not s or s == '.':
        continue
      if s == '..':
        if stk:
          stk.pop()
      else:
        stk.append(s)
    return '/' + '/'.join(stk)
class Solution {
  public String simplifyPath(String path) {
    Deque<String> stk = new ArrayDeque<>();
    for (String s : path.split("/")) {
      if ("".equals(s) || ".".equals(s)) {
        continue;
      }
      if ("..".equals(s)) {
        stk.pollLast();
      } else {
        stk.offerLast(s);
      }
    }
    return "/" + String.join("/", stk);
  }
}
class Solution {
public:
  string simplifyPath(string path) {
    deque<string> stk;
    stringstream ss(path);
    string t;
    while (getline(ss, t, '/')) {
      if (t == "" || t == ".") {
        continue;
      }
      if (t == "..") {
        if (!stk.empty()) {
          stk.pop_back();
        }
      } else {
        stk.push_back(t);
      }
    }
    if (stk.empty()) {
      return "/";
    }
    string ans;
    for (auto& s : stk) {
      ans += "/" + s;
    }
    return ans;
  }
};
func simplifyPath(path string) string {
  var stk []string
  for _, s := range strings.Split(path, "/") {
    if s == "" || s == "." {
      continue
    }
    if s == ".." {
      if len(stk) > 0 {
        stk = stk[0 : len(stk)-1]
      }
    } else {
      stk = append(stk, s)
    }
  }
  return "/" + strings.Join(stk, "/")
}
function simplifyPath(path: string): string {
  const stk: string[] = [];
  for (const s of path.split('/')) {
    if (s === '' || s === '.') {
      continue;
    }
    if (s === '..') {
      if (stk.length) {
        stk.pop();
      }
    } else {
      stk.push(s);
    }
  }
  return '/' + stk.join('/');
}
impl Solution {
  #[allow(dead_code)]
  pub fn simplify_path(path: String) -> String {
    let mut s: Vec<&str> = Vec::new();

    // Split the path
    let p_vec = path.split("/").collect::<Vec<&str>>();

    // Traverse the path vector
    for p in p_vec {
      match p {
        // Do nothing for "" or "."
        "" | "." => {
          continue;
        }
        ".." => {
          if !s.is_empty() {
            s.pop();
          }
        }
        _ => s.push(p),
      }
    }

    "/".to_string() + &s.join("/")
  }
}
public class Solution {
  public string SimplifyPath(string path) {
    var stk = new Stack<string>();
    foreach (var s in path.Split('/')) {
      if (s == "" || s == ".") {
        continue;
      }
      if (s == "..") {
        if (stk.Count > 0) {
          stk.Pop();
        }
      } else {
        stk.Push(s);
      }
    }
    var sb = new StringBuilder();
    while (stk.Count > 0) {
      sb.Insert(0, "/" + stk.Pop());
    }
    return sb.Length == 0 ? "/" : sb.ToString();
  }
}

Solution 2

func simplifyPath(path string) string {
  return filepath.Clean(path)
}

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。
列表为空,暂无数据
    我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
    原文