我想访问一个资源,如字符串或Drawable通过它的名字,而不是它的int id。
我该用哪种方法呢?
我想访问一个资源,如字符串或Drawable通过它的名字,而不是它的int id。
我该用哪种方法呢?
当前回答
// image from res/drawable
int resID = getResources().getIdentifier("my_image",
"drawable", getPackageName());
// view
int resID = getResources().getIdentifier("my_resource",
"id", getPackageName());
// string
int resID = getResources().getIdentifier("my_string",
"string", getPackageName());
其他回答
如果我没理解错的话,这就是你想要的
int drawableResourceId = this.getResources().getIdentifier("nameOfDrawable", "drawable", this.getPackageName());
这里的“this”是一个活动,写出来只是为了澄清。
如果你想要strings.xml中的String或者UI元素的标识符,请替换为"drawable"
int resourceId = this.getResources().getIdentifier("nameOfResource", "id", this.getPackageName());
我警告您,这种获取标识符的方法非常缓慢,仅在需要时使用。
官方文档链接:参考资料。getIdentifier(字符串名称,字符串defType,字符串defPackage)
除了@lonkly解决方案
参见反射和现场可访问性 不必要的变量
方法:
/**
* lookup a resource id by field name in static R.class
*
* @author - ceph3us
* @param variableName - name of drawable, e.g R.drawable.<b>image</b>
* @param с - class of resource, e.g R.drawable.class or R.raw.class
* @return integer id of resource
*/
public static int getResId(String variableName, Class<?> с)
throws android.content.res.Resources.NotFoundException {
try {
// lookup field in class
java.lang.reflect.Field field = с.getField(variableName);
// always set access when using reflections
// preventing IllegalAccessException
field.setAccessible(true);
// we can use here also Field.get() and do a cast
// receiver reference is null as it's static field
return field.getInt(null);
} catch (Exception e) {
// rethrow as not found ex
throw new Resources.NotFoundException(e.getMessage());
}
}
int resourceID =
this.getResources().getIdentifier("resource name", "resource type as mentioned in R.java",this.getPackageName());
// image from res/drawable
int resID = getResources().getIdentifier("my_image",
"drawable", getPackageName());
// view
int resID = getResources().getIdentifier("my_resource",
"id", getPackageName());
// string
int resID = getResources().getIdentifier("my_string",
"string", getPackageName());
•Kotlin版本通过扩展功能
在Kotlin中通过名称查找资源id,在Kotlin文件中添加以下代码片段:
ExtensionFunctions.kt
import android.content.Context
import android.content.res.Resources
fun Context.resIdByName(resIdName: String?, resType: String): Int {
resIdName?.let {
return resources.getIdentifier(it, resType, packageName)
}
throw Resources.NotFoundException()
}
•使用
现在所有的资源id都是可访问的,只要你有一个上下文引用使用resIdByName方法:
val drawableResId = context.resIdByName("ic_edit_black_24dp", "drawable")
val stringResId = context.resIdByName("title_home", "string")
.
.
.