[C/C++] 几种错误处理的方式

2021/11/9 22:39:52

本文主要是介绍[C/C++] 几种错误处理的方式,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

  1. goto 跳转集中处理

    int func()
    {
        if(!try_do_a()) goto END_FUNC;
        if(!try_do_b()) goto END_FUNC;
        // ...
        return 0;
    END_FUNC:
        // do something
    }
    
  2. do{...}while(0) (原理同上, 其实就是 goto 的另一种形式)

    int func()
    {
        int r = 0;
        do
        {
            if(!try_do_a()) { r = ...; break; }
            if(!try_do_b()) { r = ...; break; }
            // ...
        }while(0);
        if(r != 0)
        {
            // do something
        }
        else return 0;
    }
    

    1. & 2. 适用于大部分错误, 可以告知调用者具体错误.

  3. 利用 throwtry{...}catch(...){...}

    int func()
    {
        if(!try_do_a()) throw some_error_data;
        if(!try_do_b()) throw some_error_data;
        // ...
        return 0;
    }
    int caller()
    {
        try
        {
            func();
        }
        catch(error_data_type& e)
        {
            // do something
        }
    }
    

    适用于出现重大且不可恢复的错误.

  4. 利用 C++ RAII 机制在变量析构时处理 (在 C++11 之后配合 lambda 更加方便)

    class __scope_error
    {
    public:
        explicit __scope_error(std::function<void()> in_on_exit)
            : m_on_exit(in_on_exit), m_is_noerror(false) {}
        ~__scope_error() { if (!m_is_noerror) m_on_exit(); }
    
        __scope_error(const __scope_error&) = delete;
        __scope_error& operator=(const __scope_error&) = delete;
    
        void ok() { m_is_noerror = true; }
    private:
        std::function<void()> m_on_exit;
        bool m_is_noerror;
    };
    
    int func()
    {
        __scope_error se(a_func);
        if(!try_do_a()) return -1;
        if(!try_do_b()) return -1;
        // ...
        se.ok();
        return 0;
    }
    

    适用于绝大多数错误, 推荐使用.



这篇关于[C/C++] 几种错误处理的方式的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!


扫一扫关注最新编程教程