我正在尝试使用cmake来使用协议缓冲区构建我的小项目。
有一个根目录,其中包含许多具有许多库和可执行文件的子目录。我的第一个想法是将我的.proto文件放在一个子目录中,但当我读到this answer时,我用它创建了一个库。但是当我尝试在我的可执行文件中包含一个消息头时,它无法找到它。
错误讯息:
fatal error: msgs.pb.h: No such file or directory
#include "msgs.pb.h"
^
compilation terminated.
我通过创建一个目录“build”然后从它里面“cmake ..&& make”来运行它。 我看了,似乎生成的文件放在构建/消息中,所以我可以做include_directories(构建/消息),但这似乎不正确。使用protobuf有没有正确的方法?我想在自己的文件夹中使用消息文件的原因是它们将被用在许多不同的小型可执行文件中。
我还非常感谢任何其他改进我的CMake结构的一般提示:)
目录:
root
messages
core
server
根/的CMakeLists.txt:
project(lillebror)
cmake_minimum_required(VERSION 2.8)
cmake_policy(SET CMP0015 NEW)
set(Boost_USE_STATIC_LIBS ON)
set(Boost_USE_MULTITHREADED ON)
set(Boost_USE_STATIC_RUNTIME OFF)
find_package(Boost COMPONENTS date_time log thread system)
find_package(Protobuf REQUIRED)
if(Boost_FOUND)
add_definitions(-std=c++11)
add_subdirectory(messages)
add_subdirectory(core)
add_subdirectory(server)
add_subdirectory(testserver)
endif()
消息/的CMakeLists.txt:
file(GLOB ProtoFiles "${CMAKE_CURRENT_SOURCE_DIR}/*.proto")
PROTOBUF_GENERATE_CPP(ProtoSources ProtoHeaders ${ProtoFiles})
add_library(messages STATIC ${ProtoSources} ${ProtoHeaders})
target_link_libraries(messages ${Boost_LIBRARIES} ${PROTOBUF_LIBRARY})
芯/的CMakeLists.txt:
aux_source_directory(src SRC_LIST)
add_library(core STATIC ${SRC_LIST})
target_link_libraries(core messages ${Boost_LIBRARIES})
服务器/的CMakeLists.txt:
aux_source_directory(src SRC_LIST)
include_directories(../messages) <---- I thought this would sove my problem
include_directories(../core/src)
link_directories(../core/build)
add_executable(server ${SRC_LIST})
target_link_libraries(server core ${Boost_LIBRARIES})
服务器/ main.cpp中:
#include "msgs.pb.h"
int main()
{
return 0;
}
答案 0 :(得分:21)
我认为这里的问题是PROTOBUF_GENERATE_CPP
函数设置.pb.h和.pb.cc文件存在于构建树中,而不是源树中。
这是一种很好的做法(不会污染源树),但这意味着您的呼叫include_directories(../messages)
正在向搜索路径添加错误的值。这是添加源目录“root / messages”,而你想要“[build root] / messages”。
您可能只需用以下内容替换该行:
include_directories(${CMAKE_BINARY_DIR}/messages)
但是,更健壮,可维护的方法可能是在messages / CMakeLists.txt中设置所需的包含路径。要将此值公开给父范围,需要使用set(... PARENT_SCOPE)
或:
set(ProtobufIncludePath ${CMAKE_CURRENT_BINARY_DIR}
CACHE INTERNAL "Path to generated protobuf files.")
然后在顶级CMakeLists.txt中,您可以执行以下操作:
include_directories(${ProtobufIncludePath})
如果您的messages
库本身需要#include生成的protobuf文件(这是正常的),那么它也应该有类似的include_directories
调用。
说了这么多,如果你能指定CMake v2.8.12为最小值,你可以改用target_include_directories
命令。
在add_library
电话结束后的留言/ CMakeLists.txt中,您只需执行以下操作:
target_include_directories(messages PUBLIC ${CMAKE_CURRENT_BINARY_DIR})
然后依赖messages
的任何其他目标自动拥有相应的“消息”,其中包含添加到其自身的目录 - 您根本不需要明确调用include_directories
。