显然,MSVC++ 2017工具集v141(x64版本配置)未通过C / C++内在函数使用FYL2X x86_64汇编指令,但是C++ log()log2()的使用导致对长函数的真正调用,该函数似乎实现了对数(不使用FYL2X)。我测得的性能也很奇怪:log()(自然对数)比log2()(以2为底的对数)快1.7667倍,尽管处理器以2为底的对数应该更容易,因为它以二进制格式(也包括尾数)存储了指数,这似乎就是为什么CPU指令FYL2X计算以2为底的对数(乘以参数)的原因。

这是用于测量的代码:

#include <chrono>
#include <cmath>
#include <cstdio>

const int64_t cnLogs = 100 * 1000 * 1000;

void BenchmarkLog2() {
  double sum = 0;
  auto start = std::chrono::high_resolution_clock::now();
  for(int64_t i=1; i<=cnLogs; i++) {
    sum += std::log2(double(i));
  }
  auto elapsed = std::chrono::high_resolution_clock::now() - start;
  double nSec = 1e-6 * std::chrono::duration_cast<std::chrono::microseconds>(elapsed).count();
  printf("Log2: %.3lf Ops/sec calculated %.3lf\n", cnLogs / nSec, sum);
}

void BenchmarkLn() {
  double sum = 0;
  auto start = std::chrono::high_resolution_clock::now();
  for (int64_t i = 1; i <= cnLogs; i++) {
    sum += std::log(double(i));
  }
  auto elapsed = std::chrono::high_resolution_clock::now() - start;
  double nSec = 1e-6 * std::chrono::duration_cast<std::chrono::microseconds>(elapsed).count();
  printf("Ln: %.3lf Ops/sec calculated %.3lf\n", cnLogs / nSec, sum);
}

int main() {
    BenchmarkLog2();
    BenchmarkLn();
    return 0;
}

Ryzen 1800X的输出为:
Log2: 95152910.728 Ops/sec calculated 2513272986.435
Ln: 168109607.464 Ops/sec calculated 1742068084.525

因此,为了阐明这些现象(不使用FYL2X和奇怪的性能差异),我还想测试FYL2X的性能,如果速度更快,请使用它代替<cmath>的功能。 MSVC++不允许在x64上进行内联汇编,因此需要使用FYL2X的汇编文件功能。

如果能在较新的x86_64处理器上使用FYL2X或更好的对数指令(不需要特定的基数),您是否可以用这样的函数的汇编代码来回答?

最佳答案

这是使用FYL2X的汇编代码:

_DATA SEGMENT

_DATA ENDS

_TEXT SEGMENT

PUBLIC SRLog2MulD

; XMM0L=toLog
; XMM1L=toMul
SRLog2MulD PROC
  movq qword ptr [rsp+16], xmm1
  movq qword ptr [rsp+8], xmm0
  fld qword ptr [rsp+16]
  fld qword ptr [rsp+8]
  fyl2x
  fstp qword ptr [rsp+8]
  movq xmm0, qword ptr [rsp+8]
  ret

SRLog2MulD ENDP

_TEXT ENDS

END

调用约定根据https://docs.microsoft.com/en-us/cpp/build/overview-of-x64-calling-conventions,例如



C++中的原型(prototype)是:
extern "C" double __fastcall SRLog2MulD(const double toLog, const double toMul);

性能比std::log2()慢2倍,比std::log()慢3倍以上:
Log2: 94803174.389 Ops/sec calculated 2513272986.435
FPU Log2: 52008300.525 Ops/sec calculated 2513272986.435
Ln: 169392473.892 Ops/sec calculated 1742068084.525

基准测试代码如下:
void BenchmarkFpuLog2() {
  double sum = 0;
  auto start = std::chrono::high_resolution_clock::now();
  for (int64_t i = 1; i <= cnLogs; i++) {
    sum += SRPlat::SRLog2MulD(double(i), 1);
  }
  auto elapsed = std::chrono::high_resolution_clock::now() - start;
  double nSec = 1e-6 * std::chrono::duration_cast<std::chrono::microseconds>(elapsed).count();
  printf("FPU Log2: %.3lf Ops/sec calculated %.3lf\n", cnLogs / nSec, sum);
}

08-25 08:13