1

我正在使用此论坛主题中的代码来获取 CPU 的系列信息:

#include <stdio.h>

struct cpuid_type {
    unsigned int eax;
    unsigned int ebx;
    unsigned int ecx;
    unsigned int edx;
};
typedef struct cpuid_type cpuid_t;

cpuid_t cpuid(unsigned int number) 
{
    cpuid_t result; 

    __asm("movl %4, %%eax; cpuid; movl %%eax, %0; movl %%ebx, %1; movl %%ecx, %2; movl %%edx, %3;"
        : "=m" (result.eax),
          "=m" (result.ebx),
          "=m" (result.ecx),
          "=m" (result.edx)               /* output */
        : "r"  (number)                   /* input */
        : "eax", "ebx", "ecx", "edx"      /* no changed registers except output registers */
        );

    return result;
}    

int main (int argc, const char * argv[]) 
{
    cpuid_t cpuid_registers;
    unsigned int cpu_family, cpu_model, cpu_stepping;

    cpuid_registers = cpuid(1);

    cpu_family   = 0xf & (cpuid_registers.eax>>8);
    cpu_model    = 0xf & (cpuid_registers.eax>>4);
    cpu_stepping = 0xf & cpuid_registers.eax;

    printf("CPUID (1): CPU is a %u86, Model %u, Stepping %u\n",
           cpu_family, cpu_model, cpu_stepping);


    return 0;
}

但是,Visual Studio 2013 给了我一个 'InteliSense:expected an expression' 错误:

asm("movl %4, %%eax; cpuid; movl %%eax, %0; movl %%ebx, %1; movl %%ecx, %2; movl %%edx, %3;"
        : "=m" (result.eax), // <-- Error Here
          "=m" (result.ebx),
          "=m" (result.ecx),
          "=m" (result.edx)               /* output */
        : "r"  (number)                   /* input */
        : "eax", "ebx", "ecx", "edx"      /* no changed registers except output registers */
        );

正如 Visual Studio 2013 告诉我的那样error C2290: C++ 'asm' syntax ignored. Use __asm.,我asm改为__asm.

我遇到的每个错误都与上面的代码块有关:

5   IntelliSense: expected a ')'
Error   2   error C2290: C++ 'asm' syntax ignored. Use __asm.   
Error   1   error C2143: syntax error : missing ')' before ':'
Error   3   error C2059: syntax error : ')'

由于我实际上是在使用上面提到的线程提供的代码而没有任何更改(除了__asm编辑),我假设我不包括不需要包含在早期版本中的必需库或头文件的 Visual Studio。

如果是这样,我错过了哪些标题/库?如果没有,我做错了什么?

4

1 回答 1

2

您的示例代码使用了 Microsoft 编译器不支持的 GCC 样式的内联汇编语法。虽然 Microsoft 有自己的内联汇编语法,但您应该尽可能避免使用它。它仅受 32 位 x86 编译器支持,不支持 64 位编译器或针对 AMD 或其他 CPU 架构的编译器。此外,与 GCC 的内联汇编语法不同,Microsoft 的语法受制于许多未记录的规则,即使“正确”编写也可能非常脆弱。

在您的情况下,您应该使用 Microsoft 的内在函数进行CPUID指令。它适用于 32 位和 64 位版本的编译器,并且不会因为您更改优化级别或升级编译器而中断。您要使用的具体功能是__cpuid. 链接的文档应该清楚地说明如何使用它来替换cpuid函数中的内联汇编语句。

于 2014-09-07T15:12:44.010 回答