Skip to content Skip to sidebar Skip to footer

Python Convert Back Slashes To Forward Slashes

I am working in python and I need to convert this: C:\folderA\folderB to C:/folderA/folderB I have three approaches: dir = s.replace('\\','/') dir = os.path.normpath(s) dir = os

Solution 1:

I recently found this and thought worth sharing:

import ospath = "C:\\temp\myFolder\example\\"

newPath = path.replace(os.sep, '/')

print newPath


Output:<< C:/temp/myFolder/example/  >>

Solution 2:

Your specific problem is the order and escaping of your replace arguments, should be

s.replace('\\', '/')

Then there's:

posixpath.join(*s.split('\\'))

Which on a *nix platform is equivalent to:

os.path.join(*s.split('\\'))

But don't rely on that on Windows because it will prefer the platform-specific separator. Also:

Note that on Windows, since there is a current directory for each drive, os.path.join("c:", "foo") represents a path relative to the current directory on drive C: (c:foo), not c:\foo.

Solution 3:

Try

path = '/'.join(path.split('\\'))

Solution 4:

Path names are formatted differently in Windows. the solution is simple, suppose you have a path string like this:

data_file = "/Users/username/Downloads/PMLSdata/series.csv"

simply you have to change it to this: (adding r front of the path)

data_file = r"/Users/username/Downloads/PMLSdata/series.csv"

The modifier r before the string tells Python that this is a raw string. In raw strings, the backslash is interpreted literally, not as an escape character.

Solution 5:

To define the path's variable you have to add r initially, then add the replace statement .replace('\\', '/') at the end.

for example:

In>>  path2 = r'C:\Users\User\Documents\Project\Em2Lph\'.replace('\\', '/')In>>  path2Out>> 'C:/Users/User/Documents/Project/Em2Lph/'

This solution requires no additional libraries

Post a Comment for "Python Convert Back Slashes To Forward Slashes"