AndrewBloom
AndrewBloom

Reputation: 2428

Map in Cmake script

I'd like to map a variable to a string, as in this example in pseudo-cmake code

map(mymap "val1" "key1" "val2" "key2") # <-- this seems not to exist
set(filename "prependfilename${mymap[${avar}]}otherpartoffilename") 

basically in my case i have to concat the strings "a32" or "a64" on the filename based on the ${ANDROID_ABI} (which is a variable expressing the target architecture type) value.

How to achieve a simple map behaviour for variables in CMake?

Upvotes: 10

Views: 4402

Answers (1)

Tsyvarev
Tsyvarev

Reputation: 66089

CMake doesn't support [] or {} operators, but mapping could be achieved by naming scheme for a variable:

# The naming scheme: mymap_<val>
set(mymap_val1 key1) # Maps val1 => key1
set(mymap_val2 key2) # Maps val2 => key2
# ...
set(avar val1) # Some key
message("Key ${avar} is mapped into: ${mymap_${avar}}")

This way for "mapping" is actively used by CMake itself.

E.g. variable CMAKE_<LANG>_COMPILER maps a programming language to the compiler and variable CMAKE_<LANG>_FLAGS_<CONFIG> maps both language and configuration type into the compiler flags, specific for this configuration.

Upvotes: 20

Related Questions