我想将我的基数 10 转换为基数 2,然后将零件存储在数组中。
下面是两个示例:
我的值是 5,所以它将转换为 101,然后我有一个这样的数组:{1,0,1}
或者我的值是 26,所以它将转换为 11010,然后我将有一个这样的数组:{0,1,0,1,1}
提前感谢您的时间和考虑。
转换整数
'x'
int x = 3;
一种方法,通过对 int 进行操作:
string s = Convert.ToString(x, 2); //Convert to binary in a string
int[] bits= s.PadLeft(8, '0') // Add 0's from left
.Select(c => int.Parse(c.ToString())) // convert each char to int
.ToArray(); // Convert IEnumerable from select to Array
或者,通过使用位数组类-
BitArray b = new BitArray(new byte[] { x });
int[] bits = b.Cast<bool>().Select(bit => bit ? 1 : 0).ToArray();
来源:https://stackoverflow.com/a/6758288/1560697