android.support.v7.widget.TintContextWrapper cannot be cast to ***

  • Android 从 View 中获取 Activity 时遇到 TintContextWrapper cannot be cast to 的问题
    如果一个 View 绘制于某个 Activity 的 ContentView 上, 那它的 Context 一定是和这个 Activity 相关联的. 因此我们想在 View 中直接用 Activity 方法时 (最常用的应该就是 Activity.startActivity() 方法了), 不必再向 View 中传递 Activity 对象.
    一般在 View 中获取这个 Activity 对象都是简单的用下面代码就可以了:
Activity activity = (Activity) getContext();
  • 但在View继承自AppCompat系的View时(比如AppCompatTextView, AppCompatImageView), 上面方法可能会得到下面异常:

android.support.v7.widget.TintContextWrapper cannot be cast to ***_第1张图片

原因:

了解一下 AppCompatTextView 的构造函数代码:

public class AppCompatTextView extends TextView implements TintableBackgroundView {

    private AppCompatBackgroundHelper mBackgroundTintHelper;
    private AppCompatTextHelper mTextHelper;

    public AppCompatTextView(Context context) {
        this(context, null);
    }

    public AppCompatTextView(Context context, AttributeSet attrs) {
        this(context, attrs, android.R.attr.textViewStyle);
    }

    public AppCompatTextView(Context context, AttributeSet attrs, int defStyleAttr) {
         //注意这一行
        super(TintContextWrapper.wrap(context), attrs, defStyleAttr);

        mBackgroundTintHelper = new AppCompatBackgroundHelper(this);
        mBackgroundTintHelper.loadFromAttributes(attrs, defStyleAttr);

        mTextHelper = AppCompatTextHelper.create(this);
        mTextHelper.loadFromAttributes(attrs, defStyleAttr);
        mTextHelper.applyCompoundDrawablesTints();
}
    ......
}

在构造函数中, context 被用 TintContextWrapper 包了一层.。 所以这时 Activity 其实被保存在了 TintContextWrapper 中的 BaseContext 中了。即 TintContextWrapper 不能直接强制转换为 Activity

  • 问题解决方案
    可以简单的用 TintContextWrapper.getBaseContext() 得到这个 Activity
    但其实一层层的从 ContextWrapper 中把 Activity 剥出来更保险:
    /**
     * try get host activity from view.
     * views hosted on floating window like dialog     and toast will sure return null.
     * @return host activity; or null if not available
     */
    public static Activity getActivityFromView(View view) {

        Context context = view.getContext();

        while (context instanceof ContextWrapper) {

            if (context instanceof Activity) {

                return (Activity) context;

            }

            context = ((ContextWrapper) context).getBaseContext();

        }

        return null;
    }

此方法可以解决从 View 中获取 Activity 的兼容问题。

参考资料:https://stackoverflow.com/questions/37196284/android-support-library-23-4-0-android-support-v7-widget-tintcontextwrapper-can

你可能感兴趣的:(AS错误信息解决,Android)