如何在C#中将uint转换为int?
答案 0 :(得分:167)
假设:
uint n = 3;
int i = checked((int)n); //throws OverflowException if n > Int32.MaxValue
int i = unchecked((int)n); //converts the bits only
//i will be negative if n > Int32.MaxValue
int i = (int)n; //same behavior as unchecked
或
int i = Convert.ToInt32(n); //same behavior as checked
- 编辑
提及的包含信息答案 1 :(得分:12)
答案 2 :(得分:9)
假设您只想从一种类型中提取32位并将它们原样转储到另一种类型中:
uint asUint = unchecked((uint)myInt);
int asInt = unchecked((int)myUint);
目标类型将盲目地选取32位并重新解释它们。
相反,如果您更有兴趣将小数/数值保持在目标类型本身的范围内:
uint asUint = checked((uint)myInt);
int asInt = checked((int)myUint);
在这种情况下,如果出现以下情况,您将获得溢出异常:
在我们的例子中,我们希望unchecked
解决方案按原样保留32位,所以这里有一些例子:
int....: 0000000000 (00-00-00-00)
asUint.: 0000000000 (00-00-00-00)
------------------------------
int....: 0000000001 (01-00-00-00)
asUint.: 0000000001 (01-00-00-00)
------------------------------
int....: -0000000001 (FF-FF-FF-FF)
asUint.: 4294967295 (FF-FF-FF-FF)
------------------------------
int....: 2147483647 (FF-FF-FF-7F)
asUint.: 2147483647 (FF-FF-FF-7F)
------------------------------
int....: -2147483648 (00-00-00-80)
asUint.: 2147483648 (00-00-00-80)
uint...: 0000000000 (00-00-00-00)
asInt..: 0000000000 (00-00-00-00)
------------------------------
uint...: 0000000001 (01-00-00-00)
asInt..: 0000000001 (01-00-00-00)
------------------------------
uint...: 2147483647 (FF-FF-FF-7F)
asInt..: 2147483647 (FF-FF-FF-7F)
------------------------------
uint...: 4294967295 (FF-FF-FF-FF)
asInt..: -0000000001 (FF-FF-FF-FF)
------------------------------
int[] testInts = { 0, 1, -1, int.MaxValue, int.MinValue };
uint[] testUints = { uint.MinValue, 1, uint.MaxValue / 2, uint.MaxValue };
foreach (var Int in testInts)
{
uint asUint = unchecked((uint)Int);
Console.WriteLine("int....: {0:D10} ({1})", Int, BitConverter.ToString(BitConverter.GetBytes(Int)));
Console.WriteLine("asUint.: {0:D10} ({1})", asUint, BitConverter.ToString(BitConverter.GetBytes(asUint)));
Console.WriteLine(new string('-',30));
}
Console.WriteLine(new string('=', 30));
foreach (var Uint in testUints)
{
int asInt = unchecked((int)Uint);
Console.WriteLine("uint...: {0:D10} ({1})", Uint, BitConverter.ToString(BitConverter.GetBytes(Uint)));
Console.WriteLine("asInt..: {0:D10} ({1})", asInt, BitConverter.ToString(BitConverter.GetBytes(asInt)));
Console.WriteLine(new string('-', 30));
}
答案 3 :(得分:6)
Convert.ToInt32()将uint作为值。
答案 4 :(得分:0)
假设uint中包含的值可以用int表示,那么它就像:
int val = (int) uval;
答案 5 :(得分:0)
uint i = 10;
int j = (int)i;
or
int k = Convert.ToInt32(i)
答案 6 :(得分:0)
我想说使用tryParse,如果对于int来说uint是大的话,它会返回'false'。
不要忘记,uint可以比int大得多,只要你去> 0
答案 7 :(得分:-1)
int intNumber = (int)uintNumber;
根据您期望的值,您可能需要在进行转换之前检查uintNumber的大小。 int的最大值约为.5的一个uint。