Android 根据字符串获取资源id

一般地,我们给一个ImageView设置一个图片可能会采用以下代码:

int resId = R.drawable.icon;
imageView.setImageResource(resId);

有时我们有动态设置图片资源的需要,这是需要根据给定字符串获取指定资源的id,比如给出icon, 找到本地资源id,如下代码:

function getResId(String name) {
}

Android提供这样的方法: Resources.getIdentifier()

使用方法如下:

function getResId(String name, Context context) {
    Resources r = context.getResources();
    int id = r.getIdentifier("icon", "drawable", "in.srain.cube.sample");
    return id;
}

对于这个方法,官方不推荐:

use of this function is discouraged. It is much more efficient to retrieve resources by identifier than by name.

在Nenus 5上,100,000次调用大概花费8500ms。另外,这个方法,需要一个Context的引用。

更好的做法


实际我们需要获取的是R.drawable 中一个变量,可以用反射:

public static int getResId(String variableName, Class<?> c) {
    try {
        Field idField = c.getDeclaredField(variableName);
        return idField.getInt(idField);
    } catch (Exception e) {
        e.printStackTrace();
        return -1;
    }
}

源码在这里

使用方法:

int id = ResourceMan.getResId("icon", R.drawable.class);

Nenus 5, 100,000次,大概是1700ms。这个方法快多了,也不需要带入Context.


当然,如果你足够大胆,你可以这样:

function getResId(String name) {
    if ("icon".equals(name)) {
        return R.drawable.icon;
    }
    return -1;
}

但是这样的方法,维护起来简直是一个噩梦。

猜你喜欢

转载自blog.csdn.net/canduecho/article/details/78899638