Replace all occurrences of \\ not starting with

92 Views Asked by At

This should be simple. I want to change all of these substrings:

\\somedrive\some\path

into

file://\\somedrive\some\path

but if substrings already have a file:// then I don't want to append it again.

This doesn't seem to do anything:

var_export( str_replace( '\\\\', 'file://\\\\', '\\somedrive\some\path file://\\somedrive\some\path' ) ); 

What am I doing wrong? Also, the above doesn't take into test for file:// already being there; what's the best way of dealing with this?

UPDATE test input:

$test = '
file://\\someserver\some\path

\\someotherserver\path
';

test output:

file://\\someserver\some\path

file://\\someotherserver\path

Thanks.

5

There are 5 best solutions below

1
On

Please try this:

$string = "\\somedrive\some\path";
$string = "\\".$string;
echo str_replace( '\\\\', 'file://\\\\',$string);
0
On

You should consider escape sequence in string also.

if((strpos($YOUR_STR, '\\\\') !== false) && (strpos($YOUR_STR, 'file://\\\\') === false))
    var_export( str_replace( '\\\\', 'file://\\\\', $YOUR_STR ) ); 
3
On

Use a regular expression to check if the given substring starts with file://. If it does, don't do anything. If it doesn't, append file:// at the beginning of the string:

if (!preg_match("~^file://~i", $str)) {
    $str = 'file://' . $str;
}

As a function:

function convertPath($path) {
    if (!preg_match("~^file://~i", $path)) {
        return 'file://'.$path;
    }
    return $path;
}

Test cases:

echo convertPath('\\somedrive\some\path');
echo convertPath('file://\\somedrive\some\path');

Output:

file://\somedrive\some\path
file://\somedrive\some\path
0
On

EDIT For multiple occurrences : preg_replace('#((?!file://))\\\\#', '$1file://\\\\', $path)

1
On

This will work to give you the output you are expecting. As php.net says double slash will be converted into single slash.

if (!preg_match('/^file:\/\//', $str)) {
    $str =  "file://\\".stripslashes(addslashes($str));
}