开发过程中遇到的小问题。

1、EventBus注册问题 注册以及解绑之前判断是否注册过
注册:

 if (!EventBus.getDefault().isRegistered(activity)) {
            EventBus.getDefault().register(activity);
        }

解绑:

 if (EventBus.getDefault().isRegistered(activity)) {
            EventBus.getDefault().unregister(activity);
        }

2、RecyclerView item 包含 RadioButton 报错

dbaaa98210d5a15ca7460779b27968b.png

解决办法:

  radioButton.setOnCheckedChangeListener(new CompoundButton.OnCheckedChangeListener() {
           @Override
           public void onCheckedChanged(CompoundButton buttonView, boolean isChecked) {
                   if (recyclerView.isComputingLayout()) {
                       recyclerView.post(runnable = new Runnable() {
                           @Override
                           public void run() {
                               positon = baseViewHolder.getAdapterPosition();
                               notifyItemChanged(baseViewHolder.getAdapterPosition());
                           }
                       });
                   } else {
                       positon = baseViewHolder.getAdapterPosition();
                       notifyDataSetChanged();
                   }
           }
       });

       if (positon == baseViewHolder.getLayoutPosition()) {
           radioButton.setChecked(true);
       } else {
           radioButton.setChecked(false);
       }
       if (runnable != null) {
           recyclerView.removeCallbacks(runnable);
       }

3、点击返回键 仿 home 键

    @Override
    public boolean onKeyDown(int keyCode, KeyEvent event) {
        if (keyCode == KeyEvent.KEYCODE_BACK) {
            moveTaskToBack(true);
            return true;
        }
        return super.onKeyDown(keyCode, event);
    }

4、Gilde使用要判断activity是否销毁

    public static boolean isDestroy(Activity mActivity) {
        if (mActivity == null || mActivity.isFinishing() || (Build.VERSION.SDK_INT >= Build.VERSION_CODES.JELLY_BEAN_MR1 && mActivity.isDestroyed())) {
            return true;
        } else {
            return false;
        }
    }

使用:

   public static void GlideImg(Context context, Object path, ImageView imageView) {
        if (!isDestroy((Activity) context)) {
            Glide.with(context).load(path).into(imageView);
        }
    }

5、WebView显示图文适配问题

 private String metaType = "<head><meta name='viewport' content='width=device-width, initial-scale=1.0, maximum-scale=1.0, minimum-scale=1.0,user-scalable=no'> <style>img{max-width: 100%; width:auto; height:auto;}</style></head>";

使用:

 mAgentWeb.getUrlLoader().loadDataWithBaseURL(null,metaType + noticeContent, "text/html", "UTF-8",null);

  ps: noticeContent服务器返回的数据

6、EditText 密码显示与隐藏

隐藏:pwdEditText.setInputType(InputType.TYPE_TEXT_VARIATION_PASSWORD | InputType.TYPE_CLASS_TEXT);

显示:pwdEditText.setInputType(InputType.TYPE_TEXT_VARIATION_VISIBLE_PASSWORD);

将光标移动到最后: pwdEditText.setSelection(pwdEditText.getText().length());

7、代码方式显示输入框长度

InputFilter[] inputFilter = {new InputFilter.LengthFilter(11)};
mEditText.setFilters(inputFilter);

8、解析一个 key 不是固定长度的json数组

private List<JsonLoginCityHeadInfo> loginHeadCityInfos = new ArrayList<>();

接口成功数据:
 try {
                if (loginHeadCityInfos != null && loginHeadCityInfos.size() > 0) {
                    loginHeadCityInfos.clear();
                }
                JSONObject jsonObject = new JSONObject(json);
                String data = jsonObject.getString("data");
                JSONObject jsonData = new JSONObject(data);
                for (Iterator<String> iter = jsonData.keys(); iter.hasNext(); ) {
                    JsonLoginCityHeadInfo headInfo = new JsonLoginCityHeadInfo();
                    String key = iter.next();
                    JSONArray jsonArray = new JSONArray(jsonData.get(key).toString());
                    JSONObject jobAlias = jsonArray.getJSONObject(0);
                    List<JsonLoginCityInfo> list = new ArrayList<>();
                    String alias = jobAlias.getString("alias");
                    if ("主库".equals(alias)) {
                        continue;
                    }
                    for (int i = 0; i < jsonArray.length(); i++) {
                        JsonLoginCityInfo loginCityInfo = new JsonLoginCityInfo();
                        JSONObject job = jsonArray.getJSONObject(i);
                        loginCityInfo.setInclude(job.getString("字段"));
                        loginCityInfo.setCity_tag(job.getString("字段"));
                        list.add(loginCityInfo);
                        headInfo.setHeadList(list);
                    }
                    headInfo.setAlias(alias);
                    loginHeadCityInfos.add(headInfo);
                }
            } catch (JSONException e) {
                e.printStackTrace();
            }

9、killAppProcess

  public void killAppProcess() {
        try {
            ActivityManager mActivityManager = (ActivityManager) this.getSystemService(Context.ACTIVITY_SERVICE);
            List<ActivityManager.RunningAppProcessInfo> mList = mActivityManager.getRunningAppProcesses();
            for (ActivityManager.RunningAppProcessInfo runningAppProcessInfo : mList) {
                if (runningAppProcessInfo.pid != android.os.Process.myPid()) {
                    android.os.Process.killProcess(runningAppProcessInfo.pid);
                }
            }
            android.os.Process.killProcess(android.os.Process.myPid());
            System.exit(0);
        } catch (Exception e) {

        }

    }

10、8.0前台服务 以及通知栏
前台服务开启方式:

    if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
            startForegroundService(new Intent(this, YourService.class));
        } else {
            startService(new Intent(this, YourService.class));
        }

创建通知栏

  //通知栏相关参数
    private static final String NOTIFICATION_CHANNEL_NAME = "YourAppName";
  private final int KEEP_LIVE = 1001;
    private NotificationManager notificationManager = null;
    boolean isCreateChannel = false;
    @SuppressLint("NewApi")
    protected Notification buildNotification() {
        Notification.Builder builder = null;
        Notification notification = null;
        if (android.os.Build.VERSION.SDK_INT >= 26) {
            if (null == notificationManager) {
                notificationManager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);
            }
            String channelId = getPackageName();
            if (!isCreateChannel) {
                NotificationChannel notificationChannel = new NotificationChannel(channelId,
                        NOTIFICATION_CHANNEL_NAME, NotificationManager.IMPORTANCE_DEFAULT);
                notificationChannel.enableLights(true);
                notificationChannel.setLightColor(Color.BLUE);
                notificationChannel.setShowBadge(true);
                notificationManager.createNotificationChannel(notificationChannel);
                isCreateChannel = true;
            }
            builder = new Notification.Builder(this, channelId);
        } else {
            builder = new Notification.Builder(this);
        }
        builder.setContentTitle(NOTIFICATION_CHANNEL_NAME )
                .setContentText(NOTIFICATION_CHANNEL_NAME+"正在运行")
                .setSmallIcon(R.mipmap.icon)
                .setAutoCancel(false)
                .setWhen(System.currentTimeMillis());
        //开启一个广播 根据项目需要 非必须
        // Intent intent = new Intent(this, IntentReceiver.class);
        // intent.setAction("builder");
       // PendingIntent pendingIntent = PendingIntent.getBroadcast(this, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT);
       // builder.setContentIntent(pendingIntent);
        if (android.os.Build.VERSION.SDK_INT >= 16) {
            notification = builder.build();
        } else {
            return builder.getNotification();
        }
        return notification;
    }

11、Android 9.0 WebView 多进程报错问题
获取进程名字

 public String getProcessName(Context context) {
        try{
            if (context == null) {
                return null;
            }
            ActivityManager manager = (ActivityManager) context.getSystemService(Context.ACTIVITY_SERVICE);
            for (ActivityManager.RunningAppProcessInfo processInfo : manager.getRunningAppProcesses()) {
                if (processInfo.pid == android.os.Process.myPid()) {
                    return processInfo.processName;
                }
            }
        }catch (Exception e){
            e.printStackTrace();
        }

        return null;
    }

设置 setDataDirectorySuffix

public void setWebDataSuffixPath(Context context) {
        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.P) {
            String processName = getProcessName(context);
            if (!"包名".equals(processName)) {
                WebView.setDataDirectorySuffix(processName);
            }
        }
    }

ps: 在Application 的 attachBaseContext 里面调用就可以

12、ButterKnife在Fragment里使用

 private Unbinder unbinder;

 @Nullable
    @Override
    public View onCreateView(@NonNull LayoutInflater inflater, @Nullable ViewGroup container, @Nullable Bundle savedInstanceState) {
        View view = inflater.inflate(getLayout(), container, false);
        unbinder = ButterKnife.bind(this, view);
        return view;
    }

   @Override
    public void onDestroy() {
        super.onDestroy();
        if (unbinder != null) {
            unbinder.unbind();
        }
    }

13、点击外部取消键盘

//键盘是否弹出
 private boolean isShouldHideKeyboard(View v, MotionEvent event) {
        if ((v instanceof EditText)) {
            int[] l = {0, 0};
            v.getLocationOnScreen(l);
            int left = l[0],
                    top = l[1],
                    bottom = top + v.getHeight(),
                    right = left + v.getWidth();
            return !(event.getRawX() > left && event.getRawX() < right
                    && event.getRawY() > top && event.getRawY() < bottom);
        }
        return false;
    }
//动态隐藏键盘
  private void hideSoftInput(Activity activity) {
        View view = activity.getWindow().peekDecorView();
        if (view != null) {
            InputMethodManager inputmanger = (InputMethodManager) activity
                    .getSystemService(Context.INPUT_METHOD_SERVICE);
            inputmanger.hideSoftInputFromWindow(view.getWindowToken(), 0);
        }
    }
//触摸外部键盘收回
 @Override
    public boolean dispatchTouchEvent(MotionEvent ev) {
        if (ev.getAction() == MotionEvent.ACTION_DOWN) {
            View v = getCurrentFocus();
            if (isShouldHideKeyboard(v, ev)) {
                hideSoftInput(this);
            }
        }
        return super.dispatchTouchEvent(ev);
    }

14、高德地图 显示所有的marker点

  protected void zoomToSpanWithCenter(AMap aMap, List<LatLng> pointList, LatLng centerPoint) {
        if (pointList != null && pointList.size() > 0) {
            if (aMap == null) {
                return;
            }
            LatLngBounds bounds = getLatLngBounds(centerPoint, pointList);
            aMap.moveCamera(CameraUpdateFactory.newLatLngBounds(bounds, 200));
        }
    }


    private LatLngBounds getLatLngBounds(LatLng centerpoint, List<LatLng> pointList) {
        LatLngBounds.Builder b = LatLngBounds.builder();
        if (centerpoint != null) {
            for (int i = 0; i < pointList.size(); i++) {
                LatLng p = pointList.get(i);
                LatLng p1 = new LatLng((centerpoint.latitude * 2) - p.latitude, (centerpoint.longitude * 2) - p.longitude);
                b.include(p);
                b.include(p1);
            }
        }
        return b.build();
    }

15、判断App处于后台还是前台

import android.app.Activity;
import android.app.Application;
import android.os.Bundle;

public class AppStateTracker {


    public static final int STATE_FOREGROUND = 0;

    public static final int STATE_BACKGROUND = 1;

    private static int currentState;

    public static int getCurrentState() {
        return currentState;
    }

    public interface AppStateChangeListener {
        void appTurnIntoForeground();
        void appTurnIntoBackGround();
    }

    public static void track(Application application, final AppStateChangeListener appStateChangeListener){

        application.registerActivityLifecycleCallbacks(new SimpleActivityLifecycleCallbacks(){

            private int resumeActivityCount = 0;

            @Override
            public void onActivityStarted(Activity activity) {
                if (resumeActivityCount==0){
                    currentState = STATE_FOREGROUND;
                    appStateChangeListener.appTurnIntoForeground();
                }

                resumeActivityCount++;
            }


            @Override
            public void onActivityStopped(Activity activity) {
                resumeActivityCount--;

                if (resumeActivityCount==0){
                    currentState = STATE_BACKGROUND;
                    appStateChangeListener.appTurnIntoBackGround();
                }

            }
        });
    }

    private static class SimpleActivityLifecycleCallbacks implements Application
            .ActivityLifecycleCallbacks{

        @Override
        public void onActivityCreated(Activity activity, Bundle bundle) {

        }

        @Override
        public void onActivityStarted(Activity activity) {

        }

        @Override
        public void onActivityResumed(Activity activity) {

        }

        @Override
        public void onActivityPaused(Activity activity) {

        }

        @Override
        public void onActivityStopped(Activity activity) {

        }

        @Override
        public void onActivitySaveInstanceState(Activity activity, Bundle bundle) {

        }

        @Override
        public void onActivityDestroyed(Activity activity) {

        }
    }
}

  使用:

在Application 的 onCreate

 AppStateTracker.track(this, new AppStateTracker.AppStateChangeListener() {
            @Override
            public void appTurnIntoForeground() {
                //前台
            }

            @Override
            public void appTurnIntoBackGround() {
                //后台
            }
        });

16、动态修改TextView图片

  Drawable drawable = ContextCompat.getDrawable(MainActivity.this, R.drawable.ic_heating);
   main_hot.setCompoundDrawablesWithIntrinsicBounds(null, drawable, null, null);

17、

在Module:app 下的 build.gradle  下的 defaultConfig 下 添加:  resConfigs "zh"

18、

Gson解析失败 检查时候没有配置混淆。

19、TextView增加行间距

android:lineSpacingExtra 设置行间距,如”10dp”。

android:lineSpacingMultiplier 设置行间距的倍数,如”1.5或者2″。

20、使用HtmlCompat改变文字大小

HtmlCompat.fromHtml("Html 标签+内容", HtmlCompat.FROM_HTML_MODE_LEGACY)

21、BaseQuickAdapter item上的view点击事件

init {
            addChildClickViewIds(view)
        }

22、关于高德导航界面设置属性AMapNaviViewOptions不生效问题,界面底部设置无法去掉问题

检查APP主题设置

23、判断当前view是否在屏幕可见,配合ScrollView使用

  fun isVIewVisible(context: Context, view: View, offsetY: Float): Boolean {
        val p = Point()
        (context as Activity).getWindowManager().getDefaultDisplay().getSize(p)
        val screenWidth: Int = p.x
        val screenHeight: Int = p.y
        val rect = Rect(0, 0, screenWidth, screenHeight)
        val location = IntArray(2)
        location[1] = location[1] + RxTool.dip2px(offsetY)
        view.getLocationInWindow(location)
        view.tag = location[1] //存储y方向的位置
        return if (view.getLocalVisibleRect(rect)) {
            true
        } else {
            false
        }
    }
----------------------分割线----------------------
    scrollView.setOnScrollChangeListener(object : NestedScrollView.OnScrollChangeListener {
          override fun onScrollChange(v: NestedScrollView?, scrollX: Int, scrollY: Int, oldScrollX: Int, oldScrollY: Int) {
              if (!getLocalVisibleRect(context, view, scrollY.toFloat())) {
                  //view不可见时操作
    
              }
       
          }

      })

24、windowBackground设置启动图拉伸严重

drawable 里面新建splash.xml
<?xml version="1.0" encoding="utf-8"?>
<layer-list xmlns:android="http://schemas.android.com/apk/res/android">
    <item>
        <bitmap android:src="@mipmap/start_layout"
            android:gravity="fill"/>
    </item>
</layer-list>
设置主题
<style name="StartTheme" parent="AppTheme">
        <item name="windowActionBar">false</item>
        <item name="windowNoTitle">true</item>
        <item name="android:windowContentOverlay">@null</item>
        <item name="android:navigationBarColor">@color/transparent</item>
        <item name="android:statusBarColor">@android:color/transparent</item>
        <item name="android:windowBackground">@drawable/splash</item>
 </style>
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 202,802评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,109评论 2 379
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,683评论 0 335
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,458评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,452评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,505评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,901评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,550评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,763评论 1 296
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,556评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,629评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,330评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,898评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,897评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,140评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,807评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,339评论 2 342

推荐阅读更多精彩内容