3

我正在为设备构建 AOSP。有没有办法在本机代码编译时获取当前的 AOSP 版本?我正在寻找类似于 Linux 中的 LINUX_VERSION_CODE 和 KERNEL_VERSION(X,Y,Z) 指令的东西。更具体地说,我想在我自己的一个 AOSP 附加项目中做一些看起来像这样的事情:

#if (ANDROID_VERSION_CODE >= ANDROID_VERSION(4,2,1))
... compile something ...
#else
... compile something else...
#endif
4

2 回答 2

6

可能,您可以使用PLATFORM_VERSIONand/or PLATFORM_SDK_VERSION,请参阅version_defaults.mk

于 2013-05-28T17:52:54.797 回答
4

PLATFORM_VERSION 在 AOSP 构建目录中定义:

构建/核心/version_defaults.mk:

ifeq "" "$(PLATFORM_VERSION)"
  # This is the canonical definition of the platform version,
  # which is the version that we reveal to the end user.
  # Update this value when the platform version changes (rather
  # than overriding it somewhere else).  Can be an arbitrary string.
  PLATFORM_VERSION := 5.1
endif

在您的产品(或其他任何地方)的 makefile 中定义以下 make 变量并将它们作为宏传递给编译器:

# Passing Android version to C compiler
PLATFORM_VERSION_MAJOR := $(word 1, $(subst ., ,$(PLATFORM_VERSION)))
PLATFORM_VERSION_MINOR := $(word 2, $(subst ., ,$(PLATFORM_VERSION)))
PLATFORM_VERSION_REVISION := $(word 3, $(subst ., ,$(PLATFORM_VERSION)))
COMMON_GLOBAL_CFLAGS += -DPLATFORM_VERSION_MAJOR=$(PLATFORM_VERSION_MAJOR) \
                        -DPLATFORM_VERSION_MINOR=$(PLATFORM_VERSION_MINOR)
ifneq ($(PLATFORM_VERSION_REVISION),)
COMMON_GLOBAL_CFLAGS += -DPLATFORM_VERSION_REVISION=$(PLATFORM_VERSION_REVISION)
endif

定义带有版本代码的头文件:

android_version.h:

#define ANDROID_VERSION(major, minor, rev) \
        ((rev) | (minor << 8) | (major << 16))

#ifndef PLATFORM_VERSION_REVISION
#define PLATFORM_VERSION_REVISION 0
#endif

#define ANDROID_VERSION_CODE ANDROID_VERSION( \
        PLATFORM_VERSION_MAJOR, \
        PLATFORM_VERSION_MINOR, \
        PLATFORM_VERSION_REVISION)

现在,要根据 android 版本做出编译时间决定,只需包含android_version.h文件并使用预处理器#if。

于 2015-06-21T13:10:18.447 回答