0

我想从cmake. 我有一个简单的test.cpp.

我的CMakeLists.txt样子如下

cmake_minimum_required(VERSION 2.8)

project (test)
set(CMAKE_BUILD_TYPE Release)

#include_directories(${CMAKE_CURRENT_SOURCE_DIR}/include)
add_library(test SHARED /home/tuhin/test/test1/test.cpp)

但我无法找到"test"我的.so,我已经看到 test.dir创建的文件夹但没有.so

请帮助我理解这个问题。

4

1 回答 1

1

(我想你阅读了评论并采取了相应的行动......)

(我还认为您需要一种方法来从 CMake 构建系统中找出您的库的放置位置)

任何目标的磁盘位置不仅取决于CMakeLists.txt,而且还取决于生成器的选择。多配置生成器,例如Visual Studio something,或者Xcode可能将配置名称附加为附加目录,因此您只需选择不同的生成器即可获得不同的结果。

这意味着在配置阶段没有简单的方法来唯一标识磁盘位置。另一方面,您可以在构建阶段非常轻松地检查该信息:

cmake_minimum_required(VERSION 3.15)

project (lib_file_name)
add_library(my_test_lib SHARED my_test_lib.cpp)

add_custom_target(output_lib_name 
  ALL 
  COMMAND ${CMAKE_COMMAND} -E echo "my_test_lib location: $<TARGET_FILE:my_test_lib>"
  )

注释add_custom_target行:

  • 添加了新目标,命名为output_lib_name
  • 它将作为构建默认目标 (-> ALL)的一部分执行
  • 构建此目标的命令要求 cmake 使用 CMAke 生成器表达式 (--> COMMAND ${CMAKE_COMMAND} -E echo "my_test_lib location: $<TARGET_FILE:my_test_lib>")输出相关目标的文件名

如果您使用 makefile 生成器运行它:

$ cmake -S /tmp -B /tmp/make-build -G "Unix Makefiles" ; cmake --build /tmp/make-build
-- Configuring done
-- Generating done
-- Build files have been written to: /tmp/make-build
Scanning dependencies of target my_test_lib
[ 50%] Building CXX object CMakeFiles/my_test_lib.dir/my_test_lib.cpp.o
[100%] Linking CXX shared library libmy_test_lib.dylib
[100%] Built target my_test_lib
Scanning dependencies of target output_lib_name
my_test_lib location: /tmp/make-build/libmy_test_lib.dylib
[100%] Built target output_lib_name

注意线

my_test_lib location: /tmp/make-build/libmy_test_lib.dylib

如果你用 Xcode 生成器运行它:

配置:

$ cmake -S /tmp -B /tmp/xcode-build -G Xcode 

-- Configuring done
-- Generating done
-- Build files have been written to: /tmp/xcode-build

构建发布配置:

$ cmake --build /tmp/xcode-build --config Release

........... lot of output deleted ...........

my_test_lib location: /tmp/xcode-build/Release/libmy_test_lib.dylib

** BUILD SUCCEEDED **

构建调试配置:

$ cmake --build /tmp/xcode-build --config Debug

........... lot of output deleted ...........

my_test_lib location: /tmp/xcode-build/Debug/libmy_test_lib.dylib

** BUILD SUCCEEDED **

请注意不同配置构建的位置是如何不同的,而 CMake 构建系统没有任何变化。

最后,这是关于add_custom_commandcmake 生成器表达式的 cmake 文档。

于 2020-02-23T16:46:28.917 回答