Reputation:
I just wrote a small script to pull hundreds of MAC Addresses from a switch for comparison, however they are formatted as "0025.9073.3014" rather than the standard "00:25:90:73:30:14".
I am stumped on how to convert this, where the best I can come up with is exploding these into pieces at the ".", then breaking them down further into 2 pieces each, then rejoin all parts with ":" separators.
I am okay with hacky methods but this is bothering me because that is a very poor approach. Is there any way to perform this better?
Upvotes: 3
Views: 8305
Reputation: 7703
This universal function uses sscanf to parse the string and vsprintf to format the output.
function formatMac($string,$formatInput,$formatOutput)
{
return vsprintf($formatOutput,sscanf($string,$formatInput));
}
Examples of usage:
$string = "0025.9073.3014";
echo formatMac($string,'%02s%02s.%02s%02s.%02s%02s','%02s:%02s:%02s:%02s:%02s:%02s');
//00:25:90:73:30:14
$string = '00:a0:3d:08:ef:63';
echo formatMac($string,'%x:%x:%x:%x:%x:%x','%02X%02X%02X:%02X%02X%02X');
//00A03D:08EF63
$string = '00A03D:08EF63';
echo formatMac($string,'%02X%02X%02X:%02X%02X%02X','%02x:%02x:%02x:%02x:%02x:%02x');
//00:a0:3d:08:ef:63
Upvotes: 0
Reputation: 12389
A combination of str_replace
and preg_replace
:
$str = preg_replace('~..(?!$)~', '\0:', str_replace(".", "", $str));
First stripping out the .
then adding :
after ..
two of any characters (?!$)
if not at the end.
Or use a capture group and do it without str_replace:
$str = preg_replace('~(..)(?!$)\.?~', '\1:', $str);
There's not much difference in performance.
Upvotes: 5
Reputation: 369244
Using preg_replace
with capturing groups, backreferences:
$mac = "0025.9073.3014";
$mac = preg_replace('/(..)(..)\.(..)(..)\.(..)(..)/',
'$1:$2:$3:$4:$5:$6', $mac);
echo($mac);
// => 00:25:90:73:30:14
Upvotes: 2
Reputation: 70732
Another option, if the mac address is constant in this format.
$str = '0025.9073.3014';
$str = preg_replace('~\d+\K(?=\d\d)|\.~', ':', $str);
echo $str; //=> "00:25:90:73:30:14"
Upvotes: 0
Reputation: 1690
If you don't like regular expressions, then here's another method of doing it, which is more understandable, if you're new to PHP. Basically, it just removes the dots, and then splits the string into an array after every 2 characters, then implodes them with a colon:
$string = "0025.9073.3014";
$result = implode(":", str_split(str_replace(".", "", $string), 2));
echo $result;
Outputs:
00:25:90:73:30:14
Upvotes: 3