代码之家  ›  专栏  ›  技术社区  ›  WilliamKF

在catch省略号(…)中是否抛出了C++中的原始错误?

  •  27
  • WilliamKF  · 技术社区  · 15 年前

    如果在我的代码中有以下代码片段:

    try {
      doSomething();
    } catch (...) {
      doSomethingElse();
      throw;
    }
    

    抛出是否会重新触发默认省略号处理程序捕获的特定异常?

    1 回复  |  直到 10 年前
        1
  •  36
  •   GManNickG    15 年前

    对.异常在捕获之前一直处于活动状态,此时它变为非活动状态。但是 它一直存在到处理程序的作用域结束 . 从标准来看,重点是我的:

    §15.1/4:除非3.7.4.1中另有说明,否则将以未指定的方式分配抛出的异常的临时副本的内存。 只要对该异常执行了处理程序,临时的就将持续存在。

    即:

    catch(...)
    { // <--
    
        /* ... */
    
    } // <--
    

    在这些箭头之间,可以重新抛出异常。只有当处理程序作用域结束时,异常才会停止存在。

    实际上,在15.1/6中,给出的示例与您的代码几乎相同:

    try {
        // ...
    }
    catch (...) { // catch all exceptions
        // respond (partially) to exception <-- ! :D
        throw; //pass the exception to some
               // other handler
    }
    

    记住如果你 throw 没有异常, terminate 将被调用。作为一个处理者,你不能这样。


    如果 doSomethingElse() 引发并且异常没有相应的处理程序,因为原始异常被视为已处理,新异常将替换它。(好像它刚刚抛出,开始堆叠放卷等)

    即:

    void doSomethingElse(void)
    {
        try
        {
            throw "this is fine";
        }
        catch(...)
        {
            // the previous exception dies, back to
            // using the original exception
        }
    
        try
        {
            // rethrow the exception that was
            // active when doSomethingElse was called
            throw; 
        }
        catch (...)
        {
            throw; // and let it go again
        }
    
        throw "this replaces the old exception";
        // this new one takes over, begins stack unwinding
        // leaves the catch's scope, old exception is done living,
        // and now back to normal exception stuff
    }
    
    try
    {
        throw "original exception";
    }
    catch (...)
    {
      doSomethingElse();
      throw; // this won't actually be reached,
             // the new exception has begun propagating
    }
    

    当然如果什么都不扔, throw; 将到达,您将按预期抛出捕获到的异常。