我想按原样加载值。
我有两个dimension.xml文件,一个在/res/values/dimension.xml中,另一个在/res/values-sw360dp/dimension.xml中。
从源代码我想做的事情
getResources().getDimension(R.dimen.tutorial_cross_marginTop);
这是可行的,但我得到的值乘以屏幕密度因子(1.5为hdpi, 2.0为xhdpi,等等)。
我也试着去做
getResources().getString(R.dimen.tutorial_cross_marginTop);
这将在原则上工作,但我得到了一个以“dip”结尾的字符串…
在我的dimension。xml中
<dimen name="test">48dp</dimen>
在代码中
int valueInPixels = (int) getResources().getDimension(R.dimen.test)
这将返回72,作为文档状态乘以当前手机的密度(在我的情况下是48dp x 1.5)
正如文档所述:
检索特定资源ID的维度。单位转换
是基于与资源相关联的当前显示度量。
所以如果你想要精确的dp值,就像在xml中一样,只需将它与DisplayMetrics密度分开
int dp = (int) (getResources().getDimension(R.dimen.test) / getResources().getDisplayMetrics().density);
Dp现在是48
使用Kotlin扩展
您可以添加一个扩展来简化这个过程。它允许你只调用context.dp(r.d emen。tutorial_cross_marginTop)来获取Float值
fun Context.px(@DimenRes dimen: Int): Int = resources.getDimension(dimen).toInt()
fun Context.dp(@DimenRes dimen: Int): Float = px(dimen) / resources.displayMetrics.density
如果你想在没有上下文的情况下处理它,你可以使用Resources.getSystem():
val Int.dp get() = this / Resources.getSystem().displayMetrics.density // Float
val Int.px get() = (this * Resources.getSystem().displayMetrics.density).toInt()
例如,在xhdpi设备上,使用24。Dp得到12.0或12。Px得到24
如果你只是想动态改变字体大小,那么你可以:
textView.setTextSize(TypedValue.COMPLEX_UNIT_PX, resources.getDimension(R.dimen.tutorial_cross_marginTop))
正如@achie的回答,你可以像这样从dimensions .xml中获取dp:
val dpValue = (resources.getDimension(R.dimen.tutorial_cross_marginTop)/ resources.displayMetrics.density).toInt()
或者得到这样的sp
val spValue = (resources.getDimension(R.dimen.font_size)/ resources.displayMetrics.scaledDensity).toInt()
关于Resources.java #{getDimension}
/**
* Retrieve a dimensional for a particular resource ID. Unit
* conversions are based on the current {@link DisplayMetrics} associated
* with the resources.
*
* @param id The desired resource identifier, as generated by the aapt
* tool. This integer encodes the package, type, and resource
* entry. The value 0 is an invalid identifier.
*
* @return Resource dimension value multiplied by the appropriate
* metric.
*
* @throws NotFoundException Throws NotFoundException if the given ID does not exist.
*
* @see #getDimensionPixelOffset
* @see #getDimensionPixelSize
*/
资源维度值乘以相应的值
这里有一个更好的解决方案,不涉及从dp到px再从px到dp的双重转换:
在Kotlin
fun Resources.getRawDimensionInDp(@DimenRes dimenResId: Int): Float {
val value = TypedValue()
getValue(dimenResId, value, true)
return TypedValue.complexToFloat(value.data)
}
// Usage:
resources.getRawDimensionInDp(R.dimen.my_dimen_id)
在Java中
public class ResourcesUtil {
static Float getRawDimensionInDp(Resources resources, @DimenRes int dimenResId) {
TypedValue value = new TypedValue();
resources.getValue(dimenResId, value, true);
return TypedValue.complexToFloat(value.data);
}
}
// Usage:
ResourcesUtil.getRawDimensionInDp(resources, R.dimen.my_dimen_id);