本文介绍了C#溢出不工作?如何启用溢出检查?的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我正在使用C#,并注意到当我有一个非常大的整数,并试图使它更大。相反,抛出一些类型的溢出错误,它只是将数字设置为最低可能的值(-2,147,483,648)我相信。



我想知道是否有一种方法启用Visual Studio中的溢出检查?

解决方案

您可以使用以下步骤启用算术溢出/下溢检查Visual Studio:

This will throw a System.OverflowException when the overflow occurs rather than it's usual operation of changing the value to a minimum value.

Without Arithmetic Overflow/Underflow enabled:

int test = int.MaxValue;
test++;
//Test should now be equal to -2,147,483,648 (int.MinValue)

With Arithmetic Overflow/Underflow enabled:

int test = int.MaxValue;
test++;
//System.OverflowException thrown

Using a checked block:

checked
{
    int test = int.MaxValue;
    test++;
    //System.OverflowException thrown
}

The documentation for checked is available here. (Thanks to Sasha for reminding me about it.)

这篇关于C#溢出不工作?如何启用溢出检查?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!

08-06 12:39