以编程方式获取 Android 上的缓存行大小

Programmatically get the cache line size on Android

如何在 ARM Android 上获取缓存行大小?这相当于以下页面,但专门针对 Android:

Programmatically get the cache line size?

该页面上的答案以及我所知道的其他方式不适用于 Android:

与 x86 不同,ARM 的 CPU 信息仅在内核模式下可用,因此没有 cpuid 对应用程序可用的等效信息。

我进行了一次小调查,发现了一些东西:

首先,似乎 sysconf() 带有 _SC_LEVEL1_ICACHE_SIZE_SC_LEVEL1_ICACHE_ASSOC_SC_LEVEL1_ICACHE_LINESIZE 或其他 CPU 缓存相关标志总是 returns -1(有时可能为 0)和 it seems to be the reason for this,它们根本没有实现。

但有一个解决方案。如果您能够在项目中使用 JNI,请使用 this library。这个库对于检索有关 CPU 的信息非常有帮助(我的设备像山一样古老):

这是我用来获取我的 CPU 缓存信息的代码:

#include <string>
#include <sstream>
#include <cpuinfo.h>

void get_cache_info(const char* name, const struct cpuinfo_cache* cache, std::ostringstream& oss)
{
    oss << "CPU Cache: " << name << std::endl;
    oss << " > size            : " << cache->size << std::endl;
    oss << " > associativity   : " << cache->associativity << std::endl;
    oss << " > sets            : " << cache->sets << std::endl;
    oss << " > partitions      : " << cache->partitions << std::endl;
    oss << " > line_size       : " << cache->line_size << std::endl;
    oss << " > flags           : " << cache->flags << std::endl;
    oss << " > processor_start : " << cache->processor_start << std::endl;
    oss << " > processor_count : " << cache->processor_count << std::endl;
    oss << std::endl;
}

const std::string get_cpu_info()
{
    cpuinfo_initialize();
    const struct cpuinfo_processor* proc = cpuinfo_get_current_processor();

    std::ostringstream oss;

    if (proc->cache.l1d)
        get_cache_info("L1 Data", proc->cache.l1d, oss);

    if (proc->cache.l1i)
        get_cache_info("L1 Instruction", proc->cache.l1i, oss);

    if (proc->cache.l2)
        get_cache_info("L2", proc->cache.l2, oss);

    if (proc->cache.l3)
        get_cache_info("L3", proc->cache.l3, oss);

    if (proc->cache.l4)
        get_cache_info("L4", proc->cache.l4, oss);

    return oss.str();
}