双重包含和仅标题库stbi_image

2022-02-23 00:00:00 header c++ c++11 inclusion header-only

我有一个包括A.H的main.cpp(它有自己的.cpp) A.h仅包括标题库"stbi_image.h",如下所示:

#ifndef STB_IMAGE_IMPLEMENTATION
#define STB_IMAGE_IMPLEMENTATION
#include "stb_image.h"
#endif

(https://github.com/nothings/stb)

*.cpp包含自己的*.h,并使用#杂注ONCE

但我仍然收到:

LNK1169找到一个或多个多个定义的符号LNK2005机顶盒-故障 原因已在.obj文件中定义=main.obj.还有一堆 其他

在我看来似乎是对的,但据我在这个问题中的理解: Multiple definition and header-only libraries

也许我应该在我需要的stb_image.h函数中添加inline/静电? 我做错什么了吗?

提前感谢


解决方案

  1. 也许我应该在我需要的stb_image.h函数中添加INLINE/静电?

不需要,您已经有办法将‘stb_image函数’声明为静电或外部:

#define STB_IMAGE_STATIC
  1. 我做错什么了吗? 是的,您编译了两次‘stb_image’,每次都包含‘stb_image.h’。 因此,整个设计可以是:

Image.h:

#ifndef _IMAGE_H_
#define _IMAGE_H_

Class Image.h {
public:
    Image() : _imgData(NULL) {}
    virtual ~Image();
    ...
    void loadf(...);
    ...

    unsigned char* getData() const { return _imgData; }
protected:
    unsigned char* _imgData;
};
#endif

Image.cpp:

#include "Image.h"

#define STB_IMAGE_IMPLEMENTATION   // use of stb functions once and for all
#include "stb_image.h"

Image::~Image()
{ 
    if ( _imgData ) 
        stbi_image_free(_imgData); 
}

void Image::load(...) {
    _imgData = stbi_load(...);
}

main.cpp

#include "Image.h" // as you see, main.cpp do not know anything about stb stuff

int main() {
    Image* img = new Image();  // this is my 'wrapper' to stb functions
    img->load(...);

    myTexture(img->getData(), ...);

    return 0;
}

相关文章