如何让 CMakelists.txt 只包含一个 OS 的一些 *.c 和 *.h 文件?

How to make CMakelists.txt to include some *.c and *.h files only for one OS?

我只想为 Windows OS 添加一些 *.c 和 *.h 文件。但是我找不到不创建另一个目标的方法,这会导致错误

我想做这样的事情:

add_executable(${TARGET}
     main.cpp
     mainwindow.cpp
     mainwindow.h
     mainwindow.ui
if (WIN32)
     test.c
     test.h
endif()
)

有什么办法吗?

您可以为源文件列表使用一个变量,并将 OS 特定文件附加到该变量,类似于:

set( MY_SOURCES 
     main.cpp
     mainwindow.cpp
     mainwindow.h
     mainwindow.ui
)

if (WIN32) 
SET( MY_SOURCES ${MY_SOURCES} 
     test.c
     test.h
)
endif()

add_executable(${TARGET} ${MY_SOURCES})

现代 CMake 解决方案是使用 target_sources

# common sources
add_executable(${TARGET}
     main.cpp
     mainwindow.cpp
     mainwindow.h
     mainwindow.ui
)

# Stuff only for WIN32
if (WIN32)
    target_sources(${TARGET}
        PRIVATE test.c
        PUBLIC test.h
    )
endif()

这应该使您的 CMakeLists.txt 文件比争论变量更容易维护。

除了使用 if 块之外,您还可以使用 generator expression:

来限制源
add_executable(${TARGET} PUBLIC
   main.cpp
   mainwindow.cpp
   mainwindow.h
   mainwindow.ui
   $<$<PLATFORM_ID:Windows>:
       test.c
       test.h
  >
)

如果您愿意,此方法也适用于 target_sources 命令。