• 异常(Exception)


     这节讲一下C#异常处理。

     通过try{}块将可能会出错的代码包裹起来,后接catch块,try块出了错会走catch块,这一过程叫捕获异常。

    int a = 2;
    try
    {
        a = a / 0;
    }
    catch
    {
        Console.WriteLine ("出错");
    }

     以上代码会抛出DivideByZeroException。微软预定义了很多异常,Exception类是所有异常的基类。这个类中封装了错误信息,通过异常的Message属性,我们可以获取到信息,并及时修正自己的代码。

     catch块可以捕获指定的异常,我们可以设置多个catch块捕获不同的异常:

    int a = 2;
    try
    {
        a = a / 0;
    }
    catch (DivideByZeroException e)
    {
        Console.WriteLine ("除数不能为零");
    }
    catch (Exception e)
    {
        Console.WriteLine (e.Message);
    }

      一般多个catch最后要有一个catch来兜底,用于捕获上方catch无法捕获的情况,也就是使用Exception类,注意顺序,这个兜底catch不能放在任何catch之前,在它之后的catch将是毫无意义的。

        

      除了try,catch,还有finally语法,finally块包裹的代码,无论出不出错都会执行,finally块一般用于关闭连接等需要在出错后继续执行一些代码的情况:

    SqlConnection conn=null;
    try
    {
        using(conn=new SqlConnection ("ConnectionString"))
        {
            conn.Open ();
            throw new Exception ("");
        }
    }
    catch
    {
        Console.WriteLine ("出错");
    }
    finally
    {
        if (conn != null)
            conn.Close ();
    }

     这样保证在出了错以后,也能及时关闭连接释放对象。

        

     使用throw关键字手动抛出一个异常,这个一般用于自定义的异常。

        

     自定义异常:

     我们可以继承Exception类来自定义一个异常:

    class MyException : Exception
    {
        public override string Message
        {
            get
            {
                return "这是我的自定义异常";
            }
        }
    }

    在主方法中抛出这个自定义异常我们可以看到如下信息:

     try..catch 这种异常捕获的方式是耗费资源的,所以我们要养成良好的代码习惯,努力提高代码的健壮性。

     个人公众号,热爱分享,知识无价。

  • 相关阅读:
    Vue GET xxxx/sockjs-node/info?t=1573626343344 net::ERR_CONNECTION
    NavigationDuplicated Navigating to current location (“/XXX”) is not allowed
    node-sass报错(Node Sass could not find a binding for your current environment)
    DeprecationWarning: collection.ensureIndex is deprecated. Use createIndexes instead
    VSCODE 中.art文件识别为html文件
    gulp4.0构建任务
    gulp报错The following tasks did not complete
    setTimeout()
    格式化日期
    作业1.3
  • 原文地址:https://www.cnblogs.com/charlesmvp/p/13812752.html
Copyright © 2020-2023  润新知