系统应用闹钟之TabLayout的使用

此篇文章记录一些关于安卓原生应用闹钟里面TabLayout的使用,没见过用这个组件的源代码,想从它里面学习学习。就当是见见世面,顺便写个笔记。

先从印象到布局

原生闹钟给我的印象非常好,有种说不出的美感。在改工作上的问题时,顺便看它的样式,大致就是一个TabLayout加上四个fragment

首先是头部的四个图标,是一个嵌在了Toolbar中的TabLayoutToolbar也是一个ViewGroup,在它的里面放一个其他的控件也是理所当然,只是以前没试过。第一次看到这个写法,感觉非常好。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
<android.support.design.widget.AppBarLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:background="@null"
app:elevation="0dp">
<android.support.v7.widget.Toolbar
android:id="@+id/toolbar"
android:layout_width="match_parent"
android:layout_height="wrap_content"
app:contentInsetStart="0dp"
tools:ignore="RtlSymmetry">
<android.support.design.widget.TabLayout
android:id="@+id/tabs"
android:layout_width="match_parent"
android:layout_height="match_parent"
app:tabGravity="fill"
app:tabIndicatorColor="@android:color/transparent"
app:tabMaxWidth="0dp"
app:tabMode="fixed"
app:tabPaddingEnd="0dp"
app:tabPaddingStart="0dp" />
</android.support.v7.widget.Toolbar>

然后在Toolbar下面就是一个ViewPager,存放在一个FrameLayout中。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
<FrameLayout
android:layout_width="match_parent"
android:layout_height="match_parent"
app:layout_behavior="@string/appbar_scrolling_view_behavior">

<android.support.v4.view.ViewPager
android:id="@+id/desk_clock_pager"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:importantForAccessibility="no"
android:saveEnabled="false" />

<include layout="@layout/drop_shadow" />

</FrameLayout>

这样基本上大致的框架就出来了。接着看对它的初始化:
基本步骤和网上的教程是差不多的,只是其中的UiDataModel感觉非常有意思,感觉它几乎无所不能,用到的任何东西都可以往里面取。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
// Create the tabs that make up the user interface.
mTabLayout = (TabLayout) findViewById(R.id.tabs);
final int tabCount = UiDataModel.getUiDataModel().getTabCount();
final boolean showTabLabel = getResources().getBoolean(R.bool.showTabLabel);
final boolean showTabHorizontally = getResources().getBoolean(R.bool.showTabHorizontally);
for (int i = 0; i < tabCount; i++) {
final UiDataModel.Tab tabModel = UiDataModel.getUiDataModel().getTab(i);
final @StringRes int labelResId = tabModel.getLabelResId();

final TabLayout.Tab tab = mTabLayout.newTab()
.setTag(tabModel)
.setIcon(tabModel.getIconResId())
.setContentDescription(labelResId);

if (showTabLabel) {
tab.setText(labelResId);
tab.setCustomView(R.layout.tab_item);

@SuppressWarnings("ConstantConditions")
final TextView text = (TextView) tab.getCustomView()
.findViewById(android.R.id.text1);
text.setTextColor(mTabLayout.getTabTextColors());

// Bind the icon to the TextView.
final Drawable icon = tab.getIcon();
if (showTabHorizontally) {
// Remove the icon so it doesn't affect the minimum TabLayout height.
tab.setIcon(null);
text.setCompoundDrawablesRelativeWithIntrinsicBounds(icon, null, null, null);
} else {
text.setCompoundDrawablesRelativeWithIntrinsicBounds(null, icon, null, null);
}
}

打开UiDataModel,第一个引起我的关注的是一个枚举型,在其中保存了有关Tab的基本信息,如文本、图标资源id以及该Tab所对应的fragment等。第一次见到这种写法,有点震惊,同时觉得对于这种静态的应用,用枚举型去保存也符合常理,我觉得这种方法可以以后利用在我写的Android项目中,比如说我的应用中,Tab也是固定的,同时这样写可以让那些信息更加集中,修改起来更加方便,让代码的逻辑性更强。看代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
/** Identifies each of the primary tabs within the application. */
public enum Tab {
ALARMS(AlarmClockFragment.class, R.drawable.ic_tab_alarm, R.string.menu_alarm),
CLOCKS(ClockFragment.class, R.drawable.ic_tab_clock, R.string.menu_clock),
TIMERS(TimerFragment.class, R.drawable.ic_tab_timer, R.string.menu_timer),
STOPWATCH(StopwatchFragment.class, R.drawable.ic_tab_stopwatch, R.string.menu_stopwatch);

private final String mFragmentClassName;
private final @DrawableRes int mIconResId;
private final @StringRes int mLabelResId;

Tab(Class fragmentClass, @DrawableRes int iconResId, @StringRes int labelResId) {
mFragmentClassName = fragmentClass.getName();
mIconResId = iconResId;
mLabelResId = labelResId;
}

public String getFragmentClassName() { return mFragmentClassName; }
public @DrawableRes int getIconResId() { return mIconResId; }
public @StringRes int getLabelResId() { return mLabelResId; }
}

感觉自己简直被这源代码所陶醉。后面继续看关于TabLayout的初始化。这其中,对其的适配器的写法,我也是比较感兴趣的。因为自己在写应用的时候,遇到过关于PagerAdapter的问题,所以比较期待它是如何去实现的。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
// Customize the view pager.
mFragmentTabPagerAdapter = new FragmentTabPagerAdapter(this);
mFragmentTabPager = (ViewPager) findViewById(R.id.desk_clock_pager);
// Keep all four tabs to minimize jank.
mFragmentTabPager.setOffscreenPageLimit(3);
// Set Accessibility Delegate to null so view pager doesn't intercept movements and
// prevent the fab from being selected.
mFragmentTabPager.setAccessibilityDelegate(null);
// Mirror changes made to the selected page of the view pager into UiDataModel.
mFragmentTabPager.addOnPageChangeListener(new PageChangeWatcher());
mFragmentTabPager.setAdapter(mFragmentTabPagerAdapter);

// Mirror changes made to the selected tab into UiDataModel.
mTabLayout.addOnTabSelectedListener(new TabLayout.OnTabSelectedListener() {
@Override
public void onTabSelected(TabLayout.Tab tab) {
UiDataModel.getUiDataModel().setSelectedTab((UiDataModel.Tab) tab.getTag());
}

@Override
public void onTabUnselected(TabLayout.Tab tab) {
}

@Override
public void onTabReselected(TabLayout.Tab tab) {
}
});

适配器的源代码不完全贴出来,感觉都对不起这源代码。它继承自ViewPager,自己实现了其中的方法,具体如下:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
/**
* This adapter produces the DeskClockFragments that are the content of the DeskClock tabs. The
* adapter presents the tabs in LTR and RTL order depending on the text layout direction for the
* current locale. To prevent issues when switching between LTR and RTL, fragments are registered
* with the manager using position-independent tags, which is an important departure from
* FragmentPagerAdapter.
*/
final class FragmentTabPagerAdapter extends PagerAdapter {

private final DeskClock mDeskClock;

/** The manager into which fragments are added. */
private final FragmentManager mFragmentManager;

/** A fragment cache that can be accessed before {@link #instantiateItem} is called. */
private final Map<UiDataModel.Tab, DeskClockFragment> mFragmentCache;

/** The active fragment transaction if one exists. */
private FragmentTransaction mCurrentTransaction;

/** The current fragment displayed to the user. */
private Fragment mCurrentPrimaryItem;

FragmentTabPagerAdapter(DeskClock deskClock) {
mDeskClock = deskClock;
mFragmentCache = new ArrayMap<>(getCount());
mFragmentManager = deskClock.getFragmentManager();
}

@Override
public int getCount() {
return UiDataModel.getUiDataModel().getTabCount();
}

/**
* @param position the left-to-right index of the fragment to be returned
* @return the fragment displayed at the given {@code position}
*/
DeskClockFragment getDeskClockFragment(int position) {
// Fetch the tab the UiDataModel reports for the position.
final UiDataModel.Tab tab = UiDataModel.getUiDataModel().getTabAt(position);

// First check the local cache for the fragment.
DeskClockFragment fragment = mFragmentCache.get(tab);
if (fragment != null) {
return fragment;
}

// Next check the fragment manager; relevant when app is rebuilt after locale changes
// because this adapter will be new and mFragmentCache will be empty, but the fragment
// manager will retain the Fragments built on original application launch.
fragment = (DeskClockFragment) mFragmentManager.findFragmentByTag(tab.name());
if (fragment != null) {
fragment.setFabContainer(mDeskClock);
mFragmentCache.put(tab, fragment);
return fragment;
}

// Otherwise, build the fragment from scratch.
final String fragmentClassName = tab.getFragmentClassName();
fragment = (DeskClockFragment) Fragment.instantiate(mDeskClock, fragmentClassName);
fragment.setFabContainer(mDeskClock);
mFragmentCache.put(tab, fragment);
return fragment;
}

@Override
public void startUpdate(ViewGroup container) {
if (container.getId() == View.NO_ID) {
throw new IllegalStateException("ViewPager with adapter " + this + " has no id");
}
}

@Override
public Object instantiateItem(ViewGroup container, int position) {
if (mCurrentTransaction == null) {
mCurrentTransaction = mFragmentManager.beginTransaction();
}

// Use the fragment located in the fragment manager if one exists.
final UiDataModel.Tab tab = UiDataModel.getUiDataModel().getTabAt(position);
Fragment fragment = mFragmentManager.findFragmentByTag(tab.name());
if (fragment != null) {
mCurrentTransaction.attach(fragment);
} else {
fragment = getDeskClockFragment(position);
mCurrentTransaction.add(container.getId(), fragment, tab.name());
}

if (fragment != mCurrentPrimaryItem) {
FragmentCompat.setMenuVisibility(fragment, false);
FragmentCompat.setUserVisibleHint(fragment, false);
}

return fragment;
}

@Override
public void destroyItem(ViewGroup container, int position, Object object) {
if (mCurrentTransaction == null) {
mCurrentTransaction = mFragmentManager.beginTransaction();
}
final DeskClockFragment fragment = (DeskClockFragment) object;
fragment.setFabContainer(null);
mCurrentTransaction.detach(fragment);
}

@Override
public void setPrimaryItem(ViewGroup container, int position, Object object) {
final Fragment fragment = (Fragment) object;
if (fragment != mCurrentPrimaryItem) {
if (mCurrentPrimaryItem != null) {
FragmentCompat.setMenuVisibility(mCurrentPrimaryItem, false);
FragmentCompat.setUserVisibleHint(mCurrentPrimaryItem, false);
}
if (fragment != null) {
FragmentCompat.setMenuVisibility(fragment, true);
FragmentCompat.setUserVisibleHint(fragment, true);
}
mCurrentPrimaryItem = fragment;
}
}

@Override
public void finishUpdate(ViewGroup container) {
if (mCurrentTransaction != null) {
mCurrentTransaction.commitAllowingStateLoss();
mCurrentTransaction = null;
mFragmentManager.executePendingTransactions();
}
}

@Override
public boolean isViewFromObject(View view, Object object) {
return ((Fragment) object).getView() == view;
}
}

修改framework后如何编译、生效!生效!

被framework生效问题困了一天, 一定要记下来。试了网上各种答案,得到的结果都没生效。最终还是从同事那里得到的一份答案,还是同事靠谱啊。一、framework编译方法一般修改framework层的内容分为两种,一种是res,一种是源代码。前者只需要在其目录下,通过mm的方式即可将framewo
阅读更多

插入耳机时安全音量提示

插入耳机的状态下,当音量达到某个值得时候,会弹出一个“继续提高音量将损害听力”的提示框。这只是一普通的对话框而已,但是这与需求不太一样,需要做一些微微的调整。源码的目录:Android 8.0中,位于:frameworks/base/packages/SystemUI/src/com/android
阅读更多

Android开发工具系之ADB

ADB的相关概念&工作原理通过WLAN使用ADB感觉这个挺有意思,但是又在情理之中。1、电脑与设备连入同一个局域网,并能连通。2、将设备接上电脑,设置端口。λ adb tcpip 5555restarting in TCP mode port: 55553、断开设备4、找出设备的IP地址5、
阅读更多

Android中的apk打包

前言

使用友盟对应用进行信息收集时,其中包含有一个渠道名。渠道姑且可以认为是一个商店吧,如果应用要在很多个商店上面上架的话,一直改太麻烦了。有一个叫做多渠道打包的东西自然而然地走了过来。

多渠道打包实现

1
2
3
4
5
6
<meta-data
android:name="UMENG_APPKEY"
android:value="xxxxxxxxxxxxxxxxxxxxxx" />
<meta-data
android:name="UMENG_CHANNEL"
android:value="Google Play Store" />

如上所示,如果需要换一个渠道的话,重新改的话就特别麻烦了。先将其中的value替换成占位符${UMENG_CHANNEL_VALUE}。接下来到模块下的build.gradle中进行相应的修改。修改大致如下:

1
2
3
<meta-data
android:name="UMENG_CHANNEL"
android:value="${UMENG_CHANNEL_NAME}" />

接下来配置build.gradle

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
defaultConfig {
...
// 默认是umeng的渠道
manifestPlaceholders = [UMENG_CHANNEL_VALUE: "umeng"]
}

// 友盟多渠道打包
flavorDimensions "wtf"
productFlavors{
google {
dimension "wtf"
}
coolapk {
dimension "wtf"
}
}

productFlavors.all { flavor ->
flavor.manifestPlaceholders = [UMENG_CHANNEL_VALUE: name]
}

自动设置应用签名

在buildType{}前添加下段,并在buildType的release中添加signingConfig signingConfigs.release

1
2
3
4
5
6
7
8
9
10
11
12
signingConfigs {
debug {
// No debug config
}

release {
storeFile file("../yourapp.keystore")
storePassword "your password"
keyAlias "your alias"
keyPassword "your password"
}
}

打release版本的包时就会使用其中所配置的签名了。

修改AS生成的apk默认名

不同gradle版本间存在一些差异,如果报错了,google修改一下。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
applicationVariants.all { variant ->
variant.outputs.all { output ->
// outputFileName = new File(
// "JPreader-" + ${variant.productFlavors[0].name} +
// buildType.name + "-v" +
// defaultConfig.versionName + "-" +
// defaultConfig.versionCode + ".apk" )
if (outputFile != null && outputFile.name.endsWith('.apk')) {
// 输出apk名称为ruijie_v1.0_wandoujia.apk
def fileName = "JPreader_v${defaultConfig.versionName}_${variant.productFlavors[0].name}.apk"
outputFileName = new File(fileName)
}
}
}

小结

build.gradle真的是神奇,有一些用法还是可以去学学。当前的build.gradle文件的整体如下所示:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
android {
compileSdkVersion 26
buildToolsVersion '26.0.2'
defaultConfig {
applicationId "cn.xuchuanjun.nhknews"
minSdkVersion 19
targetSdkVersion 26
versionCode 2
versionName "1.1"
testInstrumentationRunner "android.support.test.runner.AndroidJUnitRunner"
// jackOptions {
// enabled true
// }
//multiDexEnable true //突破应用方法数65535的一个限制
manifestPlaceholders=[UMENG_CHANNEL_NAME:"Google Play Store"]
}

signingConfigs {
debug {

}
myReleaseConfig {
storeFile file("xxxxxxxxxxxxxxxxx.jks")
storePassword "xxxxxxxx"
keyAlias "xxxxxx"
keyPassword "xxxxxxxx"
}
}

buildTypes {
release {
minifyEnabled false
proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro'
signingConfig signingConfigs.myReleaseConfig

applicationVariants.all { variant ->
variant.outputs.all { output ->
// outputFileName = new File(
// "JPreader-" + ${variant.productFlavors[0].name} +
// buildType.name + "-v" +
// defaultConfig.versionName + "-" +
// defaultConfig.versionCode + ".apk" )
if (outputFile != null && outputFile.name.endsWith('.apk')) {
// 输出apk名称为ruijie_v1.0_wandoujia.apk
def fileName = "JPreader_v${defaultConfig.versionName}_${variant.productFlavors[0].name}.apk"
outputFileName = new File(fileName)
}
}

}
}
}
flavorDimensions "wtf"
productFlavors{
google {
dimension "wtf"
}
coolapk {
dimension "wtf"
}
}

productFlavors.all{
flavor -> flavor.manifestPlaceholders = [UMENG_CHANNEL_NAME:name]
}

compileOptions {
targetCompatibility 1.8
sourceCompatibility 1.8
}
repositories {
flatDir {
dirs 'libs'
}
}
}

Android中的签名

签名,顾名思义与生活中的签名类似,为某个东西签了名,那么这个东西就与所签的名字产生了某种关系,如归属等。

为什么要为Android应用签名?

这是因为Android系统的要求就是这样,Android系统要求每一个Android应用程序必须要经过数字签名才能够安装到系统中,也就是说如果一个Android应用程序没有经过数字签名,就无法安装到系统中。

为什么在AS中直接RUN可以安装到系统上?
因为这种方式会使用Android Studio默认生成的debug签名,去给应用进行签名。

签名不同会怎样

如果同一应用使用不同的签名,那么将不能覆盖安装,必须先卸载之前的,然后再安装。

1)两个程序的入口Activity是否相同。两个程序如果包名不一样,即使其它所有代码完全一样,也不会被视为同一个程序的不同版本; 2)两个程序所采用的签名是否相同。如果两个程序所采用的签名不同,即使包名相同,也不会被视为同一个程序的不同版本,不能覆盖安装。

所以这也是为什么,同样一份代码,由不同的机器RUN,然后安装到同一台设备上时,需要先卸载之前的应用,而后再安装此次的。

原因就是每台机器默认生成的debug签名都不一样!

结论

应用商城不接受用debug签名签的应用,必须使用自己的签名。

使用自己的签名可以避免应用不具备升级功能。

Android中的looper与handler

前言

为什么会有这么一篇网上有很多种解说版本的博客?因为我看懂了很多次,都没有把自己的想法记下来,然后就忘了。那样不仅浪费时间、而且还有点伤积极性。

从一个异常出发开始

在《第一行代码》中看到了关于异步处理消息的用法时,有没有想过可以在子线程中去new一个Handler?现在就开始着手,从一个子线程中去new一个Handler,看看会有什么发生。

1
2
3
4
5
6
new Thread(new Runnable() {
@Override
public void run() {
new Handler();
}
}).start();

结果就出现了RuntimeException异常,仔细看它的信息说明。

java.lang.RuntimeException: Can't create handler inside thread that has not called Looper.prepare()

那么可知,在每个线程new Handler()时,都必须先调用Looper.prepare()或者调用一个能够达到相同效果的函数。那么在主线程中可以new Handler()的原因,想必就是已经调用过了。以下代码位于AcitivityThread.java中,是一段初始化主线程的内容。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
Looper.prepareMainLooper();

ActivityThread thread = new ActivityThread();
thread.attach(false);

if (sMainThreadHandler == null) {
sMainThreadHandler = thread.getHandler();
}

if (false) {
Looper.myLooper().setMessageLogging(
new LogPrinter(Log.DEBUG, "ActivityThread"));
}

// End of event ActivityThreadMain.
Trace.traceEnd(Trace.TRACE_TAG_ACTIVITY_MANAGER);
Looper.loop();

其它的都忽略,就看Looper相关的。Looper.prepareMainLooper()想必是达到了相同的效果吧。那么,这个效果到底是什么呢?让我们慢慢拨开云雾。

寻找那个异常

于是,我们很自然地在子线程中加入了Looper.prepare(),并随手按着Ctrl,左键点击鼠标,进入了prepare()函数中。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
/*
Initialize the current thread as a looper. This gives you a chance to create handlers that then reference this looper, before actually starting the loop. Be sure to call {@link #loop()} after calling this method, and end it by calling{@link #quit()}.
*/
public static void prepare() {
prepare(true);
}

private static void prepare(boolean quitAllowed) {
if (sThreadLocal.get() != null) {
throw new RuntimeException("Only one Looper may be created per thread");
}
sThreadLocal.set(new Looper(quitAllowed));
}
...
private Looper(boolean quitAllowed) {
mQueue = new MessageQueue(quitAllowed);
mThread = Thread.currentThread();
}

当初的那个异常不就在眼前?但是,这sThreadLocal又是什么?它是什么暂时抛开,这时我们知道了我们的线程中已经有了一个Looper,并且为这个Looper设置好了一个MessageQueue。因为一个线程只能有一个Looper,所以一个Looper也就只能拥有一个MessageQueue。但是AcitivityThread中,经过Looper.loop()后就再也没有下文了?所以,这个loop()又是干啥的呢?

繁忙的loop()

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
/** Return the Looper object associated with the current thread.  Returns null if the calling thread is not associated with a Looper.*/
public static @Nullable Looper myLooper() {
return sThreadLocal.get();
}

/**
* Run the message queue in this thread. Be sure to call
* {@link #quit()} to end the loop.
*/
public static void loop() {
final Looper me = myLooper();
if (me == null) {
throw new RuntimeException("No Looper; Looper.prepare() wasn't called on this thread.");
}
final MessageQueue queue = me.mQueue;
...
for (;;) {
Message msg = queue.next(); // might block
if (msg == null) {
// No message indicates that the message queue is quitting.
return;
}
...
try {
msg.target.dispatchMessage(msg);
end = (slowDispatchThresholdMs == 0) ? 0 : SystemClock.uptimeMillis();
} finally {
if (traceTag != 0) {
Trace.traceEnd(traceTag);
}
}
...
msg.recycleUnchecked();
}
}

因为其中一个大大的死循环,所以调用了loop()之后,其后就没有实际代码了。这个死循环就是用来处理Message,不断地从队列中取,然后不断地进行分发到相应的Handler,进行处理。此时,这个for(;;)所处的线程,就是你调用Looper.loop()时所在的线程。因此,它分发msg给了相应的Handler的handleMessage之后,还是在此线程中执行。然后,在想想,发送Message时所处在的线程,就焕然大悟这个异步操作了。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
/**
* Handle system messages here.
*/
public void dispatchMessage(Message msg) {
if (msg.callback != null) {
handleCallback(msg);
} else {
if (mCallback != null) {
if (mCallback.handleMessage(msg)) {
return;
}
}
handleMessage(msg);
}
}

handleMessage(msg)不正是我们创建Handler时候,所覆盖的方法吗?

进一步思考,如果我只在主线程中new Handler,那么Looper就是主线程,所有的msg都会在主线程中被处理;那如果我想让msg在子线程中被处理呢?当然可以Looper.prepare()巴拉巴拉,然后Looper.loop()。但是Android还为我们提供了一个更为便捷的封装。那就是HandlerThread

子线程处理msg的封装HandlerThread

1
2
3
4
5
6
7
8
9
10
11
12
13
@Override
public void run() {
mTid = Process.myTid();
Looper.prepare();
synchronized (this) {
mLooper = Looper.myLooper();
notifyAll();
}
Process.setThreadPriority(mPriority);
onLooperPrepared();
Looper.loop();
mTid = -1;
}

源代码比较短。它继承自Thread,并在run方法中初始化好了Looper,可以通过其getThreadHandler()方法,获取到与该Looper所绑定的Handler,然后sendMessage(),最后在该线程中处理msg。

小结

因此,一个Thread可以有一个Looper和一个MessageQueue,一个Looper却可以与多个Handler绑定,但是一个Handler只能与一个Looper绑定。原因可以从Handler的构造方法中寻找的。

Android中遇到的问题

遇到了挺多的问题,但是每个问题都写篇文章感觉有点不实在,所以还是选择将这些小知识点都汇集到这一篇文章,方便自己再次查看吧。好多问题解决了之后没有及时记录下来,现在忘得差不多了。

替换Fragment的问题

这个问题遇到过好几次了,但是还是没有很快地解决它.不过最终还是解决了~所以还是记下来踩过的坑吧


现象

代码如下. 在我们看来这可能是再平常不过的代码了,但是它就是报错了,而且就是在replace这个函数这里. 它需要的就是一个Fragment呀,我的fragment也是一个继承了Fragment类, 为什么就不能完成类型匹配呢? 所以很是纠结

1
2
3
getFragmentManager().beginTransaction()
.replace(R.id.container, fragment)
.commit();

但是,我心里清楚,我的fragment是继承自android.support.v4.app.Fragment, 而且我还记得之前使用过一个叫做getSupportFragmentManager()的方法, 但是为什么在这个Activity里面就是调用不出来! 气愤啊, 但是想到了一个叫做AppCompatActivity的适用性高的类, 因此只能想到是不是只有support类型的Activity才有getSupportFragmentManager(). 让宿主Activity继承AppCompatActivity, 最后调用出了getSupportFragmentManager(), 解决了这个莫名其妙的问题!

总结

  • FragmentManager也有两种, 一个是android.support.v4.app包下的,一个是android.app包下的.
  • 继承自Activity的活动里面,只能获取到android.app.FragmentManager; 继承自AppCompatActivity才可以获得android.support.v4.app.FragmentManager
  • 不同包下面的FragmentManager只能替换继承自同一个包下面的Fragment.
  • 两个不同包下面的具体类如下所示

android.app包下的Fragment*

android.support.v4.app包下的Fragment*

Calendar中获取到的月份比实际月份少1

不算是bug吧。就像数组一样,月份也从0开始算。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
/**
* Field number for <code>get</code> and <code>set</code> indicating the
* month. This is a calendar-specific value. The first month of
* the year in the Gregorian and Julian calendars is
* <code>JANUARY</code> which is 0; the last depends on the number
* of months in a year.
*
* @see #JANUARY
* @see #FEBRUARY
* @see #MARCH
* @see #APRIL
* @see #MAY
* @see #JUNE
* @see #JULY
* @see #AUGUST
* @see #SEPTEMBER
* @see #OCTOBER
* @see #NOVEMBER
* @see #DECEMBER
* @see #UNDECIMBER
*/

SQLite中有两张表时出现SQLiteLog: (1) no such table

其实这个问题的出现,是对SQLiteOpenHelper没有了解清楚的一种表现。这段回答确实是醍醐灌顶。

SQLiteOpenHelper onCreate() and onUpgrade() callbacks are invoked when the database is actually opened, for example by a call to getWritableDatabase(). The database is not opened when the database helper object itself is created.

SQLiteOpenHelper versions the database files. The version number is the int argument passed to the constructor. In the database file, the version number is stored in PRAGMA user_version.

onCreate() is only run when the database file did not exist and was just created. If onCreate()returns successfully (doesn’t throw an exception), the database is assumed to be created with the requested version number. As an implication, you should not catch SQLExceptions in onCreate()yourself.

onUpgrade() is only called when the database file exists but the stored version number is lower than requested in constructor. The onUpgrade() should update the table schema to the requested version.

When changing the table schema in code (onCreate()), you should make sure the database is updated. Two main approaches:

  1. Delete the old database file so that onCreate() is run again. This is often preferred at development time where you have control over the installed versions and data loss is not an issue. Some ways to to delete the database file:
    • Uninstall the application. Use the application manager or adb uninstall your.package.name from shell.
    • Clear application data. Use the application manager.
  2. Increment the database version so that onUpgrade() is invoked. This is slightly more complicated as more code is needed.
    • For development time schema upgrades where data loss is not an issue, you can just use execSQL("DROP TABLE IF EXISTS <tablename>") in to remove your existing tables and call onCreate() to recreate the database.
    • For released versions, you should implement data migration in onUpgrade() so your users don’t lose their data.

出现这样的错误的情景为:

有两张表,开始的时候创建了一个**Helper继承自SQLiteOpenHelper,然后又需要创建一张表的时候,又创建了一个类继承自SQLiteOpenHelper,里面的数据库名相同,版本号相同,只有表名、创建的SQL语句不同。这样做的原因是因为以为每次都会执行onCreate(),然后表就被创建了。这样的想法是错误的,根本就不是这么一回事。没有好好看过数据库相关的啊~

在没看到这个回答之前,有过两次尝试,都解决了问题,但是为什么解决了,我竟然不知道!!

  • 尝试一:把两个数据库名改成不同的。这样就会在/data/data/**/databases/下面存在两个数据库文件。解决了问题。

  • 尝试二:后来感觉可能与数据库的版本有关系,所以这次不改数据库名,但是将后者的版本号提高,并重载onDowngrade()方法,让它不干任何事情。

  • 最终方案:将两个继承自SQLiteOpenHelper的类全部写到一个类里面,将另外一个删除掉。我觉得这是比较完美的解决方案,也大致明白了这背后的原因。好好地又上了一课。如下所示:

    代码展示

WebView显示中文网页乱码

很久之前也遇到过这个问题,但是到现在记得的也就是可以通过设置某些参数,然后就可以正常显示中文了。

这次还是直接把这个它的设置方法贴出来吧,让自己不用再找了。

1
2
3
webView.getSettings().setDefaultTextEncodingName("UTF -8");//设置默认为utf-8
//webView.loadData(data, "text/html", "UTF -8"); //API提供的标准用法,无法解决乱码问题
webView.loadData(data, "text/html; charset=UTF-8", null);//这种写法可以正确解码

String.replace()无法替换成功

其实这个问题挺奇怪的,但是也算不上一个问题吧。

这个方法并不会改变调用这个方法的String,而是返回一个替换了之后的String

写着写着忘记了这个,结果浪费了好久的时间。

RecyclerView如何创建ContextMenu

先上成功创建并获取到了所需信息的链接吧!

网上的说话基本上是ListView的,但是RecyclerView与它又不相同。因此按照网上的说法,基本上通过getMenuInfo()获取到的是空,好伤。如果不是空的话,那么会得到AdapterView.AdapterContextMenuInfo,这个里面包含了一些信息如position,应该是该项在整个RecyclerView中的位置吧。

网上的做法有两种,一种是:

  • 为ViewHolder设置setOnCreateContextMenuListener(),但是这样还是无法直接将所需要的信息传递进来,所以还需要设置setOnMenuItemClickListener(),用来处理点击该项后需要进行的事项,因此,这这里可以直接获取当前RecyclerView中的item并对其进行相关的操作。这个做法来自链接
1
2
3
4
5
6
itemView.setOnCreateContextMenuListener((menu, v, menuInfo) -> {
menu.add("稍后阅读").setOnMenuItemClickListener(item -> {
Logger.e(easyNews.getNewsId());
return false;
});
});
  • 可以参考这段代码,没有尝试过,但是mark一下吧!链接,这种做法挺靠谱的感觉。

    关键是下面这段代码,其余的可以按照ListView的那样进行操作。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
public class RecyclerViewImplementsContextMenu extends RecyclerView {
private AdapterView.AdapterContextMenuInfo contextMenuInfo;
public RecyclerViewImplementsContextMenu(Context context) {
super(context);
}

public RecyclerViewImplementsContextMenu(Context context, @Nullable AttributeSet attrs) {
super(context, attrs);
}

public RecyclerViewImplementsContextMenu(Context context, @Nullable AttributeSet attrs, int defStyle) {
super(context, attrs, defStyle);
}

@Override
public AdapterView.AdapterContextMenuInfo getContextMenuInfo() {
return contextMenuInfo;
}

@Override
public boolean showContextMenuForChild(View originalView) {
int position = getChildAdapterPosition(originalView);
long longId = getChildItemId(originalView);
contextMenuInfo = new AdapterView.AdapterContextMenuInfo(originalView, position, longId);
return super.showContextMenuForChild(originalView);
}
}

Intent中如何传递一个普通对象

在做小应用的时候遇到了这种问题,网上的解答也比较完整。
方式一:Serializable 方式
使用Intent 来传递对象通常有两种实现方式,Serializable 和Parcelable,我们先来学习一下第一种的实现方式。
Serializable 是序列化的意思,表示将一个对象转换成可存储或可传输的状态。序列化后的对象可以在网络上进行传输,也可以存储到本地。至于序列化的方法也很简单,只需要让一个类去实现Serializable 这个接口就可以了。
比如说有一个Person 类,其中包含了name 和age 这两个字段,想要将它序列化就可以这样写:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
public class Person implements Serializable{  
private String name;
private int age;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
}

其中get、set 方法都是用于赋值和读取字段数据的,最重要的部分是在第一行。这里让Person 类去实现了Serializable 接口,这样所有的Person 对象就都是可序列化的了。
接下来在FirstActivity 中的写法非常简单:

1
2
3
4
5
6
Person person = new Person();  
person.setName("Tom");
person.setAge(20);
Intent intent = new Intent(FirstActivity.this, SecondActivity.class);
intent.putExtra("person_data", person);
startActivity(intent);

可以看到,这里我们创建了一个Person 的实例,然后就直接将它传入到putExtra()方法中了。由于Person 类实现了Serializable 接口,所以才可以这样写。
接下来在SecondActivity 中获取这个对象也很简单,写法如下:

1
Person person = (Person) getIntent().getSerializableExtra("person_data");  

这里调用了getSerializableExtra()方法来获取通过参数传递过来的序列化对象,接着再将它向下转型成Person 对象,这样我们就成功实现了使用Intent 来传递对象的功能了。

方式二:Parcelable
除了Serializable 之外,使用Parcelable 也可以实现相同的效果,不过不同于将对象进行序列化,Parcelable 方式的实现原理是将一个完整的对象进行分解,而分解后的每一部分都是Intent 所支持的数据类型,这样也就实现传递对象的功能了。
下面我们来看一下Parcelable 的实现方式,修改Person 中的代码,如下所示:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
public class Person implements Parcelable {  
private String name;
private int age;

@Override
public int describeContents() {
// TODO Auto-generated method stub
return 0;
}

@Override
public void writeToParcel(Parcel dest, int flags) {
// TODO Auto-generated method stub
dest.writeString(name);
dest.writeInt(age);
}
public static final Parcelable.Creator<Person> CREATOR=new Parcelable.Creator<Person>() {

@Override
public Person createFromParcel(Parcel source) {
// TODO Auto-generated method stub
Person person=new Person();
person.name=source.readString();
person.age=source.readInt();
return person;
}

@Override
public Person[] newArray(int size) {
// TODO Auto-generated method stub
return new Person[size];
}
};

}

Parcelable 的实现方式要稍微复杂一些。可以看到,首先我们让Person 类去实现了Parcelable 接口,这样就必须重写describeContents()和writeToParcel()这两个方法。其中describeContents()方法直接返回0 就可以了,而writeToParcel()方法中我们需要调用Parcel的writeXxx()方法将Person 类中的字段一一写出。注意字符串型数据就调用writeString()方法,整型数据就调用writeInt()方法,以此类推。
除此之外,我们还必须在Person 类中提供一个名为CREATOR 的常量,这里创建了Parcelable.Creator 接口的一个实现,并将泛型指定为Person。接着需要重写createFromParcel()和newArray()这两个方法,在createFromParcel()方法中我们要去读取刚才写出的name 和age字段,并创建一个Person 对象进行返回,其中name 和age 都是调用Parcel 的readXxx()方法读取到的,注意这里读取的顺序一定要和刚才写出的顺序完全相同。而newArray()方法中的实现就简单多了,只需要new 出一个Person 数组,并使用方法中传入的size 作为数组大小就可以了。
接下来在FirstActivity 中我们仍然可以使用相同的代码来传递Person 对象,只不过在SecondActivity 中获取对象的时候需要稍加改动,如下所示:

1
Person person = (Person) getIntent().getParcelableExtra("person_data");  

注意这里不再是调用getSerializableExtra()方法,而是调用getParcelableExtra()方法来获取传递过来的对象了,其他的地方都完全相同。这样我们就把使用Intent 来传递对象的两种实现方式都学习完了,对比一下,Serializable的方式较为简单,但由于会把整个对象进行序列化,因此效率方面会比Parcelable 方式低一些,所以在通常情况下还是更加推荐使用Parcelable 的方式来实现Intent 传递对象的功能。

作为一名Android开发人员,时常遇到Android Studio抽风的情况。之前也遇到过,没有记录,之后就忘了,还得去重新去查解决办法,真的是有点痛心疾首。所以在这里特地记录下,在开发过程中,所遇到的一些关于AS的一些问题,让自己进步得更快。

Error type 3 as中更换包名后出现的问题

离奇事件的现场图

原因

修改了原本的包名.

现象1

之后R文件也出现了问题, 这个现场截图已经找不到了, 大致是这样的. 所有代码中应用了R文件的地方都出现了错误,并且将鼠标移到其上,可以通过Alt + Enter导入R文件.
但是这个R文件是上一个包名下的R文件, 导入了也没用, 还是该报错的地方报错. 后来, 找到了Manifest.xml文件中的package 属性, 发现它是修改包名之前的包名, 所以改了之后, rebuild了一下, 就解决了
修改这里就好啦

现象2

如上图所示. 所有的代码基本上修改好了, 开开心心的点了一下Run,结果给了我一大段红色的error…面对这个确实也比较无奈.我感觉这个应该与应用配置有关系, 也就是与那一堆Gradle Scripts有关系, 但是不知道该修改哪里的哪个参数.不过网上还是有比我先遇到这个问题的人, 解决方案也有了~如下:

I had the same error after renaming/refactoring. What I did was add the applicationId property attribute to my build.gradle file, and set its value to the application package. Like this:

1
2
3
4
5
android{
defaultConfig{
applicationId "com.example.mypackage"
}
}

from Stack Overflow

Enable Jack

直接上方法吧。引用自:Stackoverflow

The details on what is required to use Jack and how can be found in the documentation.

Here is the relevant part from the docs that goes in build.gradle on how to use jackOptions and set the compileOptions for java 1.8.

android {

defaultConfig {

jackOptions {
enabled true
}
}

compileOptions {
    sourceCompatibility JavaVersion.VERSION_1_8
    targetCompatibility JavaVersion.VERSION_1_8
}

}
UPDATE

The Jack toolchain is now considered deprecated according to this post and work is being done to natively support Java 8 features as part of the Android build system in the coming weeks according to the post.

The post also mentions that there should be little to no work migrating from Jack to the new method in case you still wanted to try enabling Java 8 features with Jack.

UPDATE 2 Preview Built-in Support

You can now try out the new built-in support for Java 8 using the latest Android Studio preview 2.4 preview 6.

For more information on how to enable it or migrate from Jack or Retrolambda see the documentation.

Gradle版本降级

导入TO-DO-MVP这个Google官方给的例子时,需要把Android Studio的Gradle插件版本从3.0.0-alpha4的版本降为 2.3.3。操作时,碰到了一个问题如下:

1
2
3
Error:(28, 0) Could not find method implementation() for arguments [com.android.support:appcompat-v7:25.3.1] on object of type org.gradle.api.internal.artifacts.dsl.dependencies.DefaultDependencyHandler.
Please install the Android Support Repository from the Android SDK Manager.
<a href="openAndroidSdkManager">Open Android SDK Manager</a>

其实这两个版本间Gradle的一些关键词有一些不同,改回2.3.3之后,需要将关键词也改回来。有点想吐槽~这都不兼容了!

基本上是把Iementation改回Compile就好了,注意一些地方的大小写。

Android Studio显示No debuggable process

正在开发的程序已经被运行起来了,可是这里却显示没有debuggable process。
现场

修改方法真的是一语道破天机啊~

You also should have Tools->Android->Enable ADB Integration active.

Android Studio中Error:String index out of range: 0

现场

出现这种错误有点莫名其妙,网上上的解释是values下面的文件有出错的情况,检查了每个文件,都没出现<string name=""></string> 这种类型的情况。很是苦恼,网上的说法也基本上与此种情况类似。
在检查到gradle.properties这个配置文件的时候,发现了git无法自动合并而让我们手动解决合并冲突的痕迹,而此冲突却并没有被手动解决。如下图所示:

祸首

删掉了不必要的东西之后,一切正常。

出现这种错误,有点不应该。但是同时也说明了,网上的东西只能当参考啊!

通过hierarchyview探寻flowlayout

前言在开发过程中遇到了一个很熟悉的控件,但是我不知道它叫啥名字,并且也不知道该用什么样的语言去描述它。然而,我却在很多的应用中看到了它的身影,QQ音乐,YouTube等,如下图所示:为了一探究竟,我猜想它属于RecyclerView,是RecyclerView的一种定制化。通过勾选开发者选项中的显示
阅读更多