Мне нужно было как проверить, так и разобрать MAC-адрес в ANSI C, так что вот функция. Он возвращает 1 в случае, если MAC-адрес был проверен (он будет принимать 12 шестнадцатеричных символов, строчные или прописные, с двоеточиями или без них, включая частично правильный ввод, например b3:0a:23:48fad3
). Это делает работу для меня во встроенном приложении на контроллере cortex m3.
Функция также будет принимать прямой ввод с веб-страницы (именно так я и использую), и поэтому она будет принимать двоеточия в виде %3A
символов.
В результате получается массив из шести байтов. Для этого вам нужно будет #include <cctype>
.
Для работы функции строка ввода (*mac
) должна заканчиваться нулем.
int parse_mac_address(char* mac, unsigned char *mac_address) {
int index=0;
char temp_mac[12]={0,0,0,0,0,0,0,0,0,0,0,0};
memset(mac_address, 0, 6); // Clear the 6 needed bytes in target array (which should be defined as "unsigned char mac_address[6]")
while(*mac) { // Repeat while we have something in the string
if(index>11) { // The string may be longer than our 12 digits
return 0; // If it has too many digits, break out and return an error (zero)
}
if(isxdigit(*mac)) { // If this is a hex digit
if(isdigit(*mac)) { // If the digit is 0 to 9
temp_mac[index]=*mac-0x30; // Convert to a number
}
else { // If the digit is A to F
temp_mac[index]=toupper(*mac)-0x37; // Make sure it is an upper case letter and convert to a number
}
++mac; // Go further on the mac string
++index; // Promote the index to the next value in our array
}
else {
if(!(index%2) && *mac==':') { // If it was not a digit, it can be a colon, but only on an odd locations in the array
++mac;
}
else {
if(!(index%2) && *mac=='%' && *(mac+1)=='3' && toupper(*(mac+2))=='A') { // In case of web colon sign we receive '%3A' instead, so we have to jump 3 characters to the next digit
mac+=3;
}
else { // If we discovered anything else, this is not a valid mac address - break out and return an error (zero)
return 0;
}
}
}
}
if(index!=11) { // Last check - the index must be exactly 11, to indicate we have filled in 12 digits
return 0; // If not - return with error (zero)
}
for(index=0;index<6;index++) { // Now, when we have 12 digits in an array, we will convert them in to two-digit bytes
*(mac_address+5-index)=temp_mac[index*2+1]+temp_mac[index*2]*0x10; // Taking pairs of digits and converting them in to a byte
// This operation will make mac_address[0] the LSB and mac_address[5] the MSB
// If you need it the other way round, replace *(mac_address+5-index) with *(mac_address+index)
}
return 1; // Return OK (one)
}