问题描述:
Given an absolute path for a file (Unix-style), simplify it.
For example,
path = "/home/"
, => "/home"
path = "/a/./b/../../c/"
, => "/c"
Corner Cases:
- Did you consider the case where path =
"/../"
?
In this case, you should return"/"
. - Another corner case is the path might contain multiple slashes
'/'
together, such as"/home//foo/"
.
In this case, you should ignore redundant slashes and return"/home/foo"
.
原问题链接:https://leetcode.com/problems/simplify-path/
问题分析
这个问题要求返回一个简化的路径表示。对于给定的路径来说,它一般是一个以/斜杠开始的串。从最开始的斜杠/开始,表示是根节点。然后所有的具体路径这样一层层的往下表示。在这个问题里,主要存在着一些情况需要简化,比如说在某一级的目录里它的字符串是"."或者"..",它们表示当前目录或者当前目录的上一级目录。另外,问题描述中也有说到,对于连续出现两个斜杠/的情况也需要考虑。
所以说,问题的重点就是要解决处理这些情况的问题。对于问题的输入来说,它是一个以斜杠分隔的字符串,对于输出的结果来看就是要将这个表示成最简的样式。根据这一点,首先我们就可以有一个这样的思路。首先将给定的字符串按照斜杠给分割成一个字符串数组。这样在每个分隔里,我们去具体的处理。比如当前碰到的字符串是"."或者空字符,那么我们可以直接忽略。而碰到字符串".."的时候呢,因为它要表示上一级目录,我们需要将它上一级所保存的目录值给丢弃掉。这里还有一个特殊情况,就是如果当前已经到达根节点了呢?这时候直接忽略掉这种情况就可以了。这样,在实现里可以使用一个stack来保存目录每一层处理的结果。最后再将这个结果给保存输出就可以了。
按照这个思路,我们可以很容易得到如下的代码:
public class Solution { public String simplifyPath(String path) { if(path.isEmpty()) return path; String[] list = path.split("/"); Stack<String> stack = new Stack<String>(); for(String s : list) { if(s.isEmpty() || s.equals(".")) continue; else if(s.equals("..")) { if(!stack.empty()) stack.pop(); } else stack.push(s); } if(stack.empty()) return "/"; StringBuilder builder = new StringBuilder(); for(String s : stack) { builder.append("/" + s); } return builder.toString(); } }
相关推荐
leetcode双人赛71.-Simplify-Path-Leetcode 给定一个字符串路径,它是 Unix 样式文件系统中文件或目录的绝对路径(以斜杠“/”开头),将其转换为简化的规范路径。 在 Unix 风格的文件系统中,句点 '.' 指的是当前...
leetcode中国 我自己的leetcode刷题记录 ###[20150920] Valid Palindrome Implement strStr() String to Integer ...Simplify Path,字符串处理,stack Length of Last Word,字符串处理.细节题 Rever
c c语言_leetcode题解之0071_simplify_path.zip
javascript js_leetcode题解之71-simplify-path.js
# [LeetCode](https://leetcode.com/problemset/algorithms/) ![Language](https://img.shields.io/badge/language-Python%20%2F%20C++%2011-orange.svg) [![License]...
https://leetcode.com/problems/simplify-path/ 题目描述 Given an absolute path for a file (Unix-style), simplify it. Or in other words, convert it to the canonical path. In a UNIX-style file ...
- Simplify Path: 给定一个表示文件系统的路径,请实现一个方法,以简化这个路径。 - Edit Distance: 给定两个单词word1和word2,计算将word1转换为word2所使用的最少操作数。 - Set Matrix Zeroes: 给定一个m×n的...
在本压缩包中,主题聚焦于C++编程基础与LeetCode算法题目的解法,特别是针对LeetCode第71题“简化路径”(Simplify Path)的探讨。这道题目旨在检验开发者的路径解析能力,涉及到字符串处理和栈的数据结构应用。让...
LeetCode第71题的全称是“Simplify Path”,该题目要求我们编写一个程序,将输入的复杂路径字符串简化为最基础的目录序列。例如,输入的路径可能是"/a/./b/../../c/",输出应该是"/c"。这个问题主要考察的是对字符串...