• 内联函数在头文件内定义


    背景

    在定义一个类的读写属性的时候,通过会使用内联函数。内联函数以空间换时间~

    错误

    在Qt中创建了一个类,然后将inline函数定义在了xxx.cpp文件中,会报错:

    rectmgr.obj:-1: error: LNK2019: 无法解析的外部符号 "public: void __cdecl BarRect::set_id(unsigned int)" (?set_id@BarRect@@QEAAXI@Z),函数 "public: void __cdecl RectMgr::create_kmd_map(void)" (?create_kmd_map@RectMgr@@QEAAXXZ) 中引用了该符号
    
    • 1

    解决

    将定义的inline内联函数转移到头文件xxx.h中,报错消失

    内联函数替换

    简单点来说:内联函数就是把函数直接用函数体里面的代码替换。
    
    • 1

    内联函数就是把函数直接用函数体里面的代码替换:这句话意思就是说当我们调用abs函数的时候,编译器可以选择直接通过替换函数体里面的代码。也就是说直接进行如下操作:

    内联函树为什么定义在头文件?

    内联函数发生上面那种替换是在编译期间,在编译期间编译器为了找到需要找到内联函数的定义,所以在为了方便编译器找到定义,每个文件引用头文件后,都直接拥有这种定义,而不用再去写。

    而普通函数可以申明和定义分离,主要是编译阶段就不需要函数定义。首先编译阶段找到函数的申明,链接阶段才会去找函数的定义,将之关联起来。

    Code

    #ifndef BARRECT_H
    #define BARRECT_H
    
    #include 
    
    
    
    class BarRect : public QRectF
    {
        enum bar_location_e{
            BAR_INSIDE = 0,
            BAR_OUTSIDE = 1,
            BAR_MIDDLE = 2,
        };
    
    public:
        BarRect();
        ~BarRect();
    
        quint32 id() const;
        void set_id(quint32 id);
    
        quint8 level() const;
        void set_level(quint8 level);
    
        bar_location_e location() const;
        void set_bar_location(bar_location_e location);
    
    private:
        quint32 id_;                            // id_
        quint8 level_;                          // level_
        bar_location_e location_;          // in bar area flag
    };
    
    inline quint32 BarRect::id() const
    {
        return id_;
    }
    
    inline void BarRect::set_id(quint32 id)
    {
        id_ = id;
    }
    
    inline quint8 BarRect::level() const
    {
        return level_;
    }
    
    inline void BarRect::set_level(quint8 level)
    {
        level_ = level;
    }
    
    inline BarRect::bar_location_e BarRect::location() const
    {
        return location_;
    }
    
    inline void BarRect::set_bar_location(bar_location_e location)
    {
        location_ = location;
    }
    
    #endif // BARRECT_H
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20
    • 21
    • 22
    • 23
    • 24
    • 25
    • 26
    • 27
    • 28
    • 29
    • 30
    • 31
    • 32
    • 33
    • 34
    • 35
    • 36
    • 37
    • 38
    • 39
    • 40
    • 41
    • 42
    • 43
    • 44
    • 45
    • 46
    • 47
    • 48
    • 49
    • 50
    • 51
    • 52
    • 53
    • 54
    • 55
    • 56
    • 57
    • 58
    • 59
    • 60
    • 61
    • 62
    • 63
    • 64
    • 65

    参考

    链接: 内联函数为什么定义在头文件中?

  • 相关阅读:
    12V升压36V芯片,2A输出方案
    c++ std::cout输出结果错误,只有一堆数字没有指定的字符串?
    集群调度-01
    初识C++ (一)
    指针面试问题
    【MCU】栈溢出问题
    指令重排以及案例
    用树莓派USB摄像头做个监控
    如何在windows上 安装&更新 显卡的驱动
    天翼云探索云原生、边缘计算融合新思路
  • 原文地址:https://blog.csdn.net/wjjontheway/article/details/127619880