设置
我有一个使用 CMake 构建和运行良好的项目。我的项目设置是这样的:
├── CMakeLists.txt
|
├── include/
│ └── standalone/
│ └── x.hpp
|
├── src/
└── standalone/
└── main.cpp
我的标题的内容是这样的:
// ------x.hpp--------
#pragma once
#include <iostream>
class X
{
public:
void hello()
{
std::cout << "Hello World!\n"; // needs <iostream>
}
};
// -------main.cpp-------
#include <standalone/x.hpp>
int main()
{
X x;
x.hello();
}
我使用以下CMakeLists.txt
cmake_minimum_required(VERSION 2.8)
project(standalone)
###############################################################
# Compiler settings
###############################################################
# use C++11 features
set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -std=c++11")
# set warning level
set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -Werror -pedantic -pedantic-errors -Wall -Wextra")
###############################################################
# header dependencies
###############################################################
# compile against project headers
include_directories(${PROJECT_SOURCE_DIR}/include)
# the header files
file(GLOB_RECURSE header_files FOLLOW_SYMLINKS "include/*.hpp")
# the source files
file(GLOB_RECURSE source_files FOLLOW_SYMLINKS "src/*.cpp")
###############################################################
# build target
###############################################################
# the program depends on the header files and the source files
add_executable(main ${header_files} ${source_files})
命令序列mkdir build
, cd build
, cmake ..
,make
和./main
正确打印“Hello World!” 没有警告。
问题
上面的设置是正确的。但是假设<iostream>
不包括在内,x.hpp
而是在main.cpp
代替。那么程序仍然会正确构建,但x.hpp
不会是独立的标题。所以我想测试我的头文件的自给自足,即我想为每个头文件编译一个小测试程序
#include "some_header.hpp"
int main() {}
但是,如果我将以下部分添加到CMakeList.txt
###############################################################
# header self-sufficiency
###############################################################
set(CMAKE_REQUIRED_FLAGS ${CMAKE_CXX_FLAGS})
message("REQUIRED_FLAGS=${CMAKE_REQUIRED_FLAGS}")
set(CMAKE_REQUIRED_INCLUDES ${CMAKE_SOURCE_DIR}/include)
message("REQUIRED_INCLUDES=${CMAKE_REQUIRED_INCLUDES}")
include(CheckIncludeFiles)
check_include_files("${header_files}" IS_STANDALONE)
宏${header_files}
正确地展开到标头x.hpp
,但check_include_files()
命令没有正确编译它
REQUIRED_FLAGS= -std=c++11 -Werror -pedantic -pedantic-errors -Wall -Wextra
REQUIRED_INCLUDES=/home/rein/projects/standalone/include
-- Looking for include file /home/rein/projects/standalone/include/standalone/x.hpp
-- Looking for include file /home/rein/projects/standalone/include/standalone/x.hpp - not found.
问题
显然我缺少一些配置变量,让 CMake 在正确的位置进行搜索。即使对于正确的标题,check_include_files()
也不起作用。我需要做什么才能完成这项工作?只有当正确的标题被认为是正确的,我才能继续测试不正确的标题。
注意除非绝对必要,否则我对直接调用的循环TRY_COMPILE
或类似的shell脚本或精心制作的CMake不感兴趣。AFAICS,这就是CheckIncludeFiles
模块的用途,如果可能的话,我想知道如何正确配置它。