MAC地址 中 MAC地址字符串 到 MAC地址数值的 转换

转自:http://hi.baidu.com/xlt1888/item/b6bc48910c745fe0291647e7

MAC地址 中 MAC地址字符串 到 MAC地址数值的 转换

MAC地址为48位,所以可以用 unsigned char mac[6]来表示,其中我们通用的输入是类似于:
dd:00:ff:44:44:22
因此也就是:
mac[0] = 0xdd (这里的dd表示是0xdd,也就是字符串dd经过转换成十进制(或十六进制)后数值的dd)
mac[1] = 0x00 (同上)
mac[2] = ff; (同上)
mac[3] = 44; (同上)
mac[4] = 44; (同上)
mac[5] = 22; (同上)


可是在我们日常输入中,一般都是以字符串的形式输入的,因此需要进行转换.下面的函数完成的就是将字符串转换成我们需要的数值类型.


int * trans( char *src ) // src表示要转换的字符串,两个字符对应一个int类型
{
char c;
int i;
int temp;
int temp2;
int *k;


if( (src == NULL) && (strlen(src) <12 ) ) // 参数检查
{
printf( "Arg Error\n" );
return NULL;
}


k = ( int *)malloc( 6 * sizeof(int) ); // k就是六个int类型,用来存放转换后的结构
if( k == NULL )
{
printf( "malloc error\n" );
return NULL;
}


for( i = 0; i < 6; i++ )
{
temp = 0;
temp2 = 0;
c = *src;
if( c >= 'a' && c <= 'f' ) // 两个字符中的第一个 比如 "0f" ,则表示是字符 '0'
temp = ( c - 'a' ) + 10; 
else
temp = ( c - '0' ) ;
src++;


c = *src;
if( c >= 'a' && c <= 'f' ) // 两个字符中的第二个,如 "f8" ,那么表示字符 '8'
temp2 = ( c - 'a' ) + 10;
else
temp2 = ( c - '0' ) ;


temp = temp * 16;
temp += temp2;
src++;
*(k+i) = temp;


printf( "c %d : %02x\n", i, temp );


}


return k; // 在这里返回的就是int类型的数组了,返回6个元素
}




经过上面函数的处理后,我们就可以如下使用mac地址赋值了
假设ret是返回的6个int元素的首地址


int i;
unsigned char mac[6];
for( i = 0; i < 6; i++ )
mac[ i ] = ret[ i ] ;






下面函数则是进行相反的转换,将我们从系统中取得的MAC地址( 比如00:12:15:dd:45:78 ,在这里00表示数值0x0, 12其实表示的就是0x12, ...... ), 因此我们要将其转换成我们看起来的字符串形式的00:12:15:dd:45:78 , 这样就便于我们理解.


char * trans_int_to_char( int *array )
{
int i;
int temp1;
int temp2;
char *s;
s = (char *)malloc( 12 * sizeof(char) ); // 两个字符对应MAC中的一位所以需要12个字符空间
if( s == NULL )
{
printf( "Sorry , Can Not Malloc For String\n" );
return NULL;
}
memset( s, 0, 12 );


if( array == NULL )
{
printf( "Sorry, A Bad Arg\n" );
return NULL;
}


int count = 0;
for( i = 0; i < 6; i++ )
{
temp1 = 0;
temp2 = 0;
temp1 = array[i] / 16; // 比如fe,那么表示取得f
temp2 = array[i] % 16; // 比如fe,那么表示取得e


if( temp1 > 9 ) // 转换成16进制的字符
s[count] = 'a'+temp1 -10;
else
s[count] = '0' + temp1;


count++;
if( temp2 > 9 ) // 转换成16进制的字符
s[count] = 'a' + temp2 - 10;
else
s[count] = '0' + temp2;


count++;
}
return s;
}

你可能感兴趣的:(linux,学习)