我需要一些有关 MAC 地址的帮助。我必须通过在 C++ 中使用一些代码来获得它,所以有人可以帮助我吗?我已经尝试了很多无用的代码。如果存在我应该研究查找 MAC 地址的任何特定方法或库,如果有人通过我的链接或其他内容了解更多信息,我将非常高兴。
问问题
63950 次
2 回答
31
我明白了人!我和工作中的一个人使用以下代码解决了这个问题:
#include <stdio.h>
#include <Windows.h>
#include <Iphlpapi.h>
#include <Assert.h>
#pragma comment(lib, "iphlpapi.lib")
char* getMAC();
int main(){
char* pMac = getMAC();
system("pause");
free(pMac);
}
char* getMAC() {
PIP_ADAPTER_INFO AdapterInfo;
DWORD dwBufLen = sizeof(IP_ADAPTER_INFO);
char *mac_addr = (char*)malloc(18);
AdapterInfo = (IP_ADAPTER_INFO *) malloc(sizeof(IP_ADAPTER_INFO));
if (AdapterInfo == NULL) {
printf("Error allocating memory needed to call GetAdaptersinfo\n");
free(mac_addr);
return NULL; // it is safe to call free(NULL)
}
// Make an initial call to GetAdaptersInfo to get the necessary size into the dwBufLen variable
if (GetAdaptersInfo(AdapterInfo, &dwBufLen) == ERROR_BUFFER_OVERFLOW) {
free(AdapterInfo);
AdapterInfo = (IP_ADAPTER_INFO *) malloc(dwBufLen);
if (AdapterInfo == NULL) {
printf("Error allocating memory needed to call GetAdaptersinfo\n");
free(mac_addr);
return NULL;
}
}
if (GetAdaptersInfo(AdapterInfo, &dwBufLen) == NO_ERROR) {
// Contains pointer to current adapter info
PIP_ADAPTER_INFO pAdapterInfo = AdapterInfo;
do {
// technically should look at pAdapterInfo->AddressLength
// and not assume it is 6.
sprintf(mac_addr, "%02X:%02X:%02X:%02X:%02X:%02X",
pAdapterInfo->Address[0], pAdapterInfo->Address[1],
pAdapterInfo->Address[2], pAdapterInfo->Address[3],
pAdapterInfo->Address[4], pAdapterInfo->Address[5]);
printf("Address: %s, mac: %s\n", pAdapterInfo->IpAddressList.IpAddress.String, mac_addr);
// print them all, return the last one.
// return mac_addr;
printf("\n");
pAdapterInfo = pAdapterInfo->Next;
} while(pAdapterInfo);
}
free(AdapterInfo);
return mac_addr; // caller must free.
}
于 2012-12-03T17:08:57.203 回答
4
C++ 没有任何内置的“MAC 地址”概念,它不是为了让 C++ 代码运行而必须存在的东西。因此,它是特定于平台的。您必须告诉我们您要为哪个平台执行此操作,并且(当然)还必须阅读与该平台匹配的文档。
如果您想以可移植的方式执行此操作,您应该寻找支持所有所需平台的合适库。
另外,请注意,一台计算机可以有任意数量的网络适配器,因此并不要求只有一个MAC 地址。
于 2012-11-30T14:00:21.017 回答