昨天我发布了这个关于如何编写快速自旋锁的问题。感谢 Cory Nelson,我似乎找到了一种优于我的问题中讨论的其他方法的方法。我使用该CMPXCHG
指令来检查锁是否为 0,因此是空闲的。CMPXCHG
在“字节”上运行,WORD
并且DWORD
。我会假设该指令在BYTE
. 但是我写了一个锁来实现每种数据类型:
inline void spin_lock_8(char* lck)
{
__asm
{
mov ebx, lck ;move lck pointer into ebx
xor cl, cl ;set CL to 0
inc cl ;increment CL to 1
pause ;
spin_loop:
xor al, al ;set AL to 0
lock cmpxchg byte ptr [ebx], cl ;compare AL to CL. If equal ZF is set and CL is loaded into address pointed to by ebx
jnz spin_loop ;jump to spin_loop if ZF
}
}
inline void spin_lock_16(short* lck)
{
__asm
{
mov ebx, lck
xor cx, cx
inc cx
pause
spin_loop:
xor ax, ax
lock cmpxchg word ptr [ebx], cx
jnz spin_loop
}
}
inline void spin_lock_32(int* lck)
{
__asm
{
mov ebx, lck
xor ecx, ecx
inc ecx
pause
spin_loop:
xor eax, eax
lock cmpxchg dword ptr [ebx], ecx
jnz spin_loop
}
}
inline spin_unlock(<anyType>* lck)
{
__asm
{
mov ebx, lck
mov <byte/word/dword> ptr [ebx], 0
}
}
然后使用以下伪代码测试锁(请注意,lcm 指针始终指向可被 4 整除的地址):
<int/short/char>* lck;
threadFunc()
{
loop 10,000,000 times
{
spin_lock_8/16/32 (lck);
spin_unlock(lck);
}
}
main()
{
lck = (char/short/int*)_aligned_malloc(4, 4);//Ensures memory alignment
start 1 thread running threadFunc and measure time;
start 2 threads running threadFunc and measure time;
start 4 threads running threadFunc and measure time;
_aligned_free(lck);
}
我在具有 2 个能够运行 4 个线程的物理内核(Ivy Bridge)的处理器上以毫秒为单位测量了以下结果。
1 thread 2 threads 4 threads
8-bit 200 700 3200
16-bit 200 500 1400
32-bit 200 900 3400
数据表明,所有功能都需要相同的时间来执行。但是当多个线程必须检查时,如果lck == 0
使用 16 位可以明显更快。这是为什么?我不认为这与lck
?
提前致谢。