googletest/docs/quickstart-cmake-zh.md
2021-10-22 21:02:18 +08:00

4.6 KiB
Raw Blame History

快速入门:使用 CMake 构建

这个教程旨在让你使用 CMake 构建和运行 GoogleTest。如果你是第一次使用 GoogleTest或者需要复习一下我们建议将本教程作为起点。如果你的项目使用 Bazel请参阅 快速入门:使用 Bazel 构建

前提条件

为了完成这个教程,你需要的工具有:

更多关于 GoogleTest 兼容平台的信息,请参见 支持的平台

如果你没有安装 CMake参考 CMake installation guide。

{: .callout .note} 注意: 本教程中的终端命令显示的是 Unix shell但这些命令在 Windows 命令行是哪个也可以使用。

建立一个项目

CMake 使用一个叫 CMakeLists.txt 的文件来配置项目的构建系统。使用此文件来设置项目并声明对 GoogleTest 的依赖。

首先,为你的项目创建一个目录:

$ mkdir my_project && cd my_project

接着,创建 CMakeLists.txt 文件并声明对 GoogleTest 的依赖。在 CMake 系统中,有很多方法来表达依赖关系;在本教程中,你将使用 FetchContent CMake 模块。为此,在工程目录下(my_project)创建一个名为 CMakeLists.txt 的文件,其内容为:

cmake_minimum_required(VERSION 3.14)
project(my_project)

# GoogleTest requires at least C++11
set(CMAKE_CXX_STANDARD 11)

include(FetchContent)
FetchContent_Declare(
  googletest
  URL https://github.com/google/googletest/archive/609281088cfefc76f9d0ce82e1ff6c30cc3591e5.zip
)
# For Windows: Prevent overriding the parent project's compiler/linker settings
set(gtest_force_shared_crt ON CACHE BOOL "" FORCE)
FetchContent_MakeAvailable(googletest)

上述配置声明了对 GoogleTest 的依赖,其中 GoogleTest 将从 Github 上下载。上述例子中,609281088cfefc76f9d0ce82e1ff6c30cc3591e5 即 GoogleTest 版本的 Git commit ID。建议经常更新该值以指向最新的版本。

关于如何创建 CMakeLists.txt 文件的更多信息,请参与 CMake Tutorial

创建并运行

有了 GoogleTest 的依赖后,你就可以在项目中使用 GoogleTest 了。

举个例子,在 my_project 目录下创建 hello_test.cc 文件,内容为:

#include <gtest/gtest.h>

// Demonstrate some basic assertions.
TEST(HelloTest, BasicAssertions) {
  // Expect two strings not to be equal.
  EXPECT_STRNE("hello", "world");
  // Expect equality.
  EXPECT_EQ(7 * 6, 42);
}

GoogleTest 提供了许多 断言,可以用它们来测试代码的行为。上述示例中引入了 GoogleTest 的头文件并演示了一些基本的断言。

为了编译代码,在 CMakeLists.txt 末尾添加以下内容:

enable_testing()

add_executable(
  hello_test
  hello_test.cc
)
target_link_libraries(
  hello_test
  gtest_main
)

include(GoogleTest)
gtest_discover_tests(hello_test)

上述配置在 CMake 中启动了测试,声明了你想要建立的测试可执行文件(hello_test)并链接了 GoogleTestgtest_main)。最后两行使用 GoogleTest CMake 模块 让 CMake 的测试运行器能找到并执行测试。

现在你可以投建并运行你的测试了:

my_project$ cmake -S . -B build
-- The C compiler identification is GNU 10.2.1
-- The CXX compiler identification is GNU 10.2.1
...
-- Build files have been written to: .../my_project/build

my_project$ cmake --build build
Scanning dependencies of target gtest
...
[100%] Built target gmock_main

my_project$ cd build && ctest
Test project .../my_project/build
    Start 1: HelloTest.BasicAssertions
1/1 Test #1: HelloTest.BasicAssertions ........   Passed    0.00 sec

100% tests passed, 0 tests failed out of 1

Total Test time (real) =   0.01 sec

恭喜!你已经成功地使用 GoogleTest 构建并运行了一个测试。

下一步行动