我已经运行了OpenCL内核。在某些时刻,我想检查变量中选定位置的位是否等于1?例如,我发现在C#中我们可以使用代码like this将uint
转换为包含位的字符串:
// Here we will store our bit
string bit;
// Unsigned integer that will be converted
uint hex = 0xfffffffe;
// Perform conversion and store our string containing bits
string str = uint2bits(hex);
// Print all bits "11111111111111111111111111111110"
Console.WriteLine(str);
// Now get latest bit from string
bit = str.Substring(31, 1);
// And print it to console
Console.WriteLine(bit);
// This function converts uint to string containing bits
public static string uint2bits(uint x) {
char[] bits = new char[64];
int i = 0;
while (x != 0) {
bits[i++] = (x & 1) == 1 ? '1' : '0';
x >>= 1;
}
Array.Reverse(bits, 0, i);
return new string(bits);
}
如何在上面的代码中制作内核?
__kernel void hello(global read_only uint* param) {
/*
Do something with "param"
...
*/
int bit;
int index = 31;
/*
Store bit value ("0" or "1") at variable "bit"
...
*/
if (bit == 1) {
// ...
} else {
// ...
}
// Or maybe something more easy to check a bit value at "index" in "param" ... ?
}
我可以在哪里阅读更多相关信息?
答案 0 :(得分:3)
您可以通过屏蔽b
来检查数字中的位1<<b
是否设置为1或0,并将结果与零进行比较:
static bool isBitSet(uint n, uint b) {
return (n & (1U << b)) != 0;
}
二进制中1 << b
的值由1
中的单b
组成 - 从零开始从后面开始计数,在所有其他位置都是零。当您使用按位AND运算符n
将此掩码应用于&
时,您将得到一个数字n
的位,并且在所有其他位置都为零。因此,当b
- n
的位设置为零时,整体操作的结果为零,否则为非零。