如何在ARM Android上获取缓存行大小?这相当于以下页面,但专门针对Android:
Programmatically get the cache line size?
该页面上的答案以及我所知道的其他方式在Android上无效:
-Iinclude
不存在。volatile
作为/sys/devices/system/cpu/cpu0/cache/
参数不存在,即使我手动传入值_SC_LEVEL1_DCACHE_LINESIZE
。sysconf
作为190
参数不存在,即使我手动传入值AT_DCACHEBSIZE
。getauxval
不包含缓存行信息。与x86不同,ARM的CPU信息仅在内核模式下可用,因此应用程序没有19
等效项。
答案 0 :(得分:1)
我进行了一次小调查,发现了一些东西
首先,似乎sysconf()
与_SC_LEVEL1_ICACHE_SIZE
,_SC_LEVEL1_ICACHE_ASSOC
,_SC_LEVEL1_ICACHE_LINESIZE
或其他与CPU高速缓存相关的标志总是返回-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();
}