安卓内存获取的常用方式(这是为下一章“仿360悬浮窗口”做准备的)
方式一、用过linux的都知道有这样一行命令:cat /proc/meminfo 查询内存使用详情文件(查询CPU使用详情文件:cat / proc/cpuinfo),查询结果如图:
如果你需要查询的是手机的内存,只要在cat命令前 加 adb shell即可
方式二:既然命令行可以打开文件,那么我们自然能够想到通过读取文件流的方式获取:
public static String getUsedPercentValue(Context context) {
//内存信息文件(CPU信息文件:/proc/cpuinfo)
String dir = "/proc/meminfo";
try {
FileReader fr = new FileReader(dir);
//创建读取字符流缓存区
BufferedReader br = new BufferedReader(fr, 2048);
//读取第一行字符
String memoryLine = br.readLine();
String subMemoryLine = memoryLine.substring(memoryLine.indexOf("MemTotal:"));
memoryLine = br.readLine();
String availableMemoryLine = memoryLine.substring(memoryLine.indexOf("MemFree:"));
br.close();
//获取总的内存,这里需要注意的是replaceAll支持正则表达式"\\D"代表所有的字母字符,只保留数字部分
long totalMemorySize = Integer.parseInt(subMemoryLine.replaceAll("\\D+", ""));
//获取当前可用内存
long availableSize = Integer.parseInt(availableMemoryLine.replaceAll("\\D+", ""));
int percent = (int) ((totalMemorySize - availableSize) / (float) totalMemorySize * 100);
return percent + "%";
} catch (IOException e) {
e.printStackTrace();
}
return "悬浮窗";
}
第三种:我们可以通过
MemoryInfo获取(遗憾的是这里只能获取到剩余内存):
/**
* 获取当前可用内存,返回数据以字节为单位。
*
* @param context 可传入应用程序上下文。
* @return 当前可用内存。
*/
private static long getAvailableMemory(Context context) {
ActivityManager.MemoryInfo info = new ActivityManager.MemoryInfo();
getActivityManager(context).getMemoryInfo(info);
long availableSize = info.availMem;
return availableSize;
}<pre name="code" class="java"> /**
*
* @param context 可传入应用程序上下文。
* @return ActivityManager的实例,用于获取手机可用内存。
*/
private static ActivityManager getActivityManager(Context context) {
if (mActivityManager == null) {
mActivityManager = (ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE);
}
return mActivityManager;
}
注意:我们这里指的内存是RAM(运行内存)!
版权声明:本文为aiyh0202原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。