Jan 27, 2016 · 6 minute read
code
seeing that LinearLayout
is one of the most often used ViewGroup
types in Android development, i wanted to write a little bit about how LinearLayout
measures its children (this was also inspired by Sriram’s post about Custom ViewGroups).
tldr; (key takeaways that this post will discuss):
- a (non-nested)
LinearLayout
will measure each non-hidden child either 1x, 2x, or 3x (gone
views aren’t measured).
- whenever possible, set
android:baselineAligned
to false
, especially when using weights.
- in a horizontal
LinearLayout
with wrap_content
height, avoid setting any of the children’s heights to match_parent
. conversely, in a vertical LinearLayout
with wrap_content
width, avoid setting any of the children’s widths to match_parent
.
LinearLayout and child measurement
a (non-nested) LinearLayout
will end up measuring each non-hidden view either 1x, 2x, or 3x. here are the rules:
- a View with
android:visibility="gone"
won’t be measured.
- a View will default to being measured once, unless more measurements are necessary (see rules 3 and 4).
- when the non-
android:orientation
direction of the LinearLayout
is wrap_content
and its child’s is match_parent
, the child will be measured an extra time.
- in a horizontal
LinearLayout
with wrap_content
height, a child with match_parent
height will be measured an extra time.
- in a vertical
LinearLayout
with wrap_content
width, a child with match_parent
width will be measured an extra time.
- a child with a non-zero
android:layout_weight
will be measured an extra time if:
- in a horizontal
LinearLayout
with non-wrap_content
width, android:layout_width
is not 0dp
, (or is 0dp
, but the LinearLayout
doesn’t have android:baselineAligned="false"
set).
- in a vertical
LinearLayout
with non-wrap_content
height, if android:layout_height
is not 0dp
.
the first two rules are fairly straight forward - for optimization purposes, a view that is set to gone
will not be measured. secondly, every view must be measured at least once, so the default is that each view will be measured once, unless something causes it to have to measure more.
the width/height mismatch measure
consider a horizontal LinearLayout
with two TextView
children.
if the height of this LinearLayout
is match_parent
or a fixed value (ex 32dp
), then measuring the height of the children is easy:
- if the child has a fixed height, use that
- if the child’s height is
match_parent
, then pass in the LinearLayout
’s height with a MeasureSpec
mode of EXACTLY
.
- if the child’s height is
wrap_content
, then pass in the LinearLayout
’s height with a MeasureSpec
mode of AT_MOST
.
but what if the LinearLayout
’s height is wrap_content
? in this case, measuring the child is sometimes easy:
- if the child has a fixed height, use that.
- if the child has a height of
wrap_content
, pass a height MeasureSpec
with a mode of AT_MOST
and the available space to the LinearLayout
.
if, however, the child has a height of match_parent
, what we’re really saying is, “i want this view to have the same height as the LinearLayout
.”
so what is the height of the LinearLayout
? in the case where the LinearLayout
’s height is set to wrap_content
, the height is not known until each child has been measured (the height MeasureSpec
received in onMeasure
by the LinearLayout
itself will be AT_MOST
with however much space can be taken up by it).
consequently, children with a match_parent
height also have to wait until the LinearLayout
’s height is determined, and then measured again in accordance to that height.
note that the same is true for vertical LinearLayout
s when they have wrap_content
widths and children with match_parent
widths.
(note that in LinearLayout.java, you’ll see forceUniformHeight
and forceUniformWidth
in measureHorizontal
and measureVertical
, respectively, being called at the end of the measure cycle when they need to be).
example
here’s an example that shows this effect - compare:
the right square in the first image is measured twice, because its
height is set to match_parent
when the LinearLayout
’s height is set to
wrap_content
. if these match (ex both are wrap_content
, both are
match_parent
, or one of them is fixed), we eliminate this
problem.
note that sometimes, you really have to use match_parent
- for example, if
the right side had a background and we wanted it to be exactly the same
height as the left side, we have no choice but to use match_parent
for the
height (unless we can specify a fixed height or change the parent, etc).
weights
setting a non-zero android:layout_weight
may cause a View to be measured an extra time.
first, let’s consider when a non-zero android:layout_weight
does not cause an extra measure pass -
for a vertical LinearLayout
:
- when the
LinearLayout
has a layout_height
of wrap_content
, there is no extra measure (this makes sense, since there is no “extra space” to divvy up amongst the views at the end, since we’re telling the LinearLayout
to only be as large as its content).
- when the
layout_height
of the child is 0dp
.
for a horizontal LinearLayout
:
- when the
LinearLayout
has a layout_width
of wrap_content
, there is no extra measure.
- when the
layout_width
of the child is 0dp
, and the LinearLayout
itself has android:baselineAligned="false"
set.
in all other cases, the view with non-zero layout_weight
will be measured an extra time.
android:baselineAligned
the documentation for android:baselineAligned says:
When set to false, prevents the layout from aligning its children’s baselines. This attribute is particularly useful when the children use different values for gravity. The default value is true.
this is generally useful for aligning text with the same gravity. consider:
and compare it to:
here’s a more visual representation:
so when can you turn it off?
- if the children of the
LinearLayout
don’t need to be baseline aligned (i.e. are not TextView
s or ImageView
s with setBaseline or setBaselineAlignedBottom
set, etc).
- if the children are
TextView
s but all have different alignments anyway.
- if it doesn’t matter (for example in the above screenshots, because both sides use English text with the same text size, the images are identical - if they were different languages, or if the text size of one was different than the other, the two would definitely be different).
here’s a visual representation of how baselineAlignment
can make a difference:
why does this matter?
why write a blog post about this, and why does it matter? there are 2 main reasons - first, given the popularity of LinearLayout
within most apps, its important to know how it works to have great performing apps.
secondly, measures can be expensive - and avoiding extra work is always great! this is especially relevant when you consider nested LinearLayout
s - let’s suppose that a nested LinearLayout
will be measured 3 times, and has children that it would ordinarily measure 3x - those children now get measured 7 times!
Dec 9, 2015 · 2 minute read
code
intellij’s structural search and replace is an amazing feature that can save a lot of time. the value of this feature first hit home in the excellent Android Studio for Experts talk during Android Dev Summit 2015 (excellent video if you haven’t already seen it, btw!)
today, i was trying to replace my usages of android.util.Log.*
with Timber. to use Timber, we’d need to manually replace Log.d(TAG, "message");
with Timber.d("message");
, and the same for Log.e
, Log.w
, and so on. there’s also a version of Log.*
that takes in an exception as a paramter that we have to keep in mind as well.
sounds like a perfect job for structural search - we bring it up by using ⌘ + shift + A
to search for actions. type Structurally
, and choose Replace Structurally
.
we’ll get a dialog that we’ll fill out like this:
so to do this, set the search template to:
android.util.Log.$something$($tag$, $params$);
set the replacement template to:
timber.log.Timber.$something$($params$);
note that the fully qualified domain name in the replacement ensures that the import is handled for you, as long as shorten fully qualified names is checked.
finally, choose Edit variables
, choose params
on the left, and click the unlimited
box by maximum count. this is so that we match both Log.d(TAG, "message");
and Log.d(TAG, "message", exception);
.
some notes about the options:
- shorten fully qualified names replaces things like
android.util.Log.d
with Log.d
.
- reformat according to style will fix the indentation if it’s wrong.
- use static import if possible will prefer
import static
- i’ve unchecked this because i’ve found that it did this for many things that i didn’t want it done for.
and there you have it. as always, source control is your friend, so make sure to do this on a branch where you can validate the changes and easily roll back if things aren’t quite right.
Aug 9, 2015 · 2 minute read
codeislam
update - as of 12/31/2015, i’ve re-open sourced the app after the discussion
here.
today is a very sad day for me, since i have finally decided to close quran android’s source code once and for all. throughout the past few years, i’ve come across several examples of people republishing the app with the intention of making money (placing ads on the index page, or, worse yet, on the top and bottom of each quran page while reading). recently, someone brought to my attention an example of someone repackaging the apk and shipping it with malware.
for example, fabric shows me this crash:
this issue is happening on the current version in the play store, which was pushed on 5/31/2015. looking at the graph, you can see that until mid July, there were no crashes (because this sdk doesn’t exist in our app). after mid-July, someone pushed this (modified) apk somewhere, people started downloading it, and it started reporting crashes to me.
a similar thing happened some time back, but with the person pushing their own version:
a few years ago, i closed the source to quran android for similar reasons, only to end up bringing it back after a few months, figuring the benefit of it being open outweighs the harm. unfortunately, this time, the decision is not meant to be reversed insha’Allah.
i’ve come to the difficult realization that apps are not meant to be open sourced, because, when you open source it, there will always be people who try to profit off of your work (or destroy its credibility, etc).
quran will, insha’Allah, continue to be developed, but it won’t be open source anymore. the existing github project will be used to track issues. while i understand that removing the code will not completely stop these things from happening (apks are very easy to reverse engineer, and people with a will to do something will find a way), at the very least, i can stop making it super easy for people.
update - this seems to be a trojan that affects multiple apps downloaded from unofficial app stores.
Jul 19, 2015 · 4 minute read
website
i haven’t written in a long time. it’s not that i have nothing to write about
(i actually have a set of post ideas written somewhere), but more of just not
having the time for writing.
just yesterday, after seeing a fellow developer’s new blog based on jekyll, i
decided to search for a nicer theme for this blog. in the process, i came
across hugo, a blogging engine written using go. the two
things that interested me the most about it was the fact that it was supposed
to be super fast (whereas regenerating files for hexo still took a bit of
time), that it was written in go (which i hope to learn one day), and that i
found a theme i liked for it. the fact that chrome on the latest el capitan
beta doesn’t load my site at all was yet another reason to push me to go for
it.
the process didn’t end up being too bad, and i’ll document some interesting
tidbits i found here in case someone else goes through the migration in the
future.
there are a few important pieces required to fix the metadata - first, ensuring all lines start with ---
. for me, any files i generated on hexo didn’t have ---
on the top of them. secondly, fixing the dates. hexo dates were in a different format than the iso8601 format dates. furthermore, some of the entries i had wrapped their dates with single quotes.
i found something here to do this, and modified it to fix the single quote issue as well:
# ensure dates don't start with single quotes
for file in *; do awk '{
if ($1 == "date:") {
gsub("\047", "", $0); print;
} else {
print $0;
}
}' "$file" > temp.md && mv temp.md $file ; done
# fix the dates and add the three dashes as the first line
for file in *; do awk '{
if (NR == 1) { print "---"; }
if ($1 == "date:") {
printf("%s %sT%s-05:00\n", $1, $2, $3);
} else {
print $0;
}
}' "$file" > temp.md && mv temp.md $file ; done
# wrap dates with quotes that aren't wrapped in quotes
for file in *; do awk '{
if ($1 == "date:") {
if ($2 ~ /^"/) {
print $0;
} else {
printf("%s \"%s\"\n", $1, $2);
}
} else { print $0; }
}' "$file" > temp.md && mv temp.md $file; done
one last thing was that some of the entries i had were missing the seconds field, and hugo complained about being unable to parse their times. since they were only a handfull of entries, i went ahead and fixed them manually.
fixing code highlighting
i used something like this to convert the codeblock
style to the pygments driven code highlighting:
for file in *.md; do awk '{
if ($2 == "codeblock") { gsub("lang:", "", $(NF-1));
printf("%s< highlight %s >}}\n", "{{", $(NF-1));
} else if ($2 == "endcodeblock") {
printf("%s< /highlight >}}\n", "{{");
} else { print $0; }
}' "$file" > temp.md && mv temp.md $file ; done
as a recommendation, if trying to use the hyde theme, set pygmentsUseClasses
to true
in the configuration file.
after doing this, i realized that i wanted to use hyde-x, which by default uses highlight.js. i made this work (after running the above) by running:
find . -exec sed -i '.bak' 's/{{< highlight \(.*\) >}}/```\1/' {} \;
find . -exec sed -i '.bak' 's/{{< \/highlight >}}/```/' {} \;
fixing images
hugo supports shortcodes as a means for extending markdown. using a combination of the migrate to hugo from jekyll article, the shortcodes documentation, and migrating to hugo from octopress, i came up with a similar approach for fixing images that had a width and height in them.
find . -exec sed -i '.bak' 's/{% img \([^ ]*\) \([^ ]*\) \([^ ]*\) %}/{{< img src="\1" width="\2" height="\3" >}}/' {} \;
this was combined with adding an img shortcode, which looked like this:
<img src="{{ .Get "src" }}"
{{ if .Get "width" }} width="{{.Get "width" }}" {{ end }}
{{ if .Get "height" }} height="{{.Get "height" }}" {{ end }} >
in addition, i modified the css to remove display:block
from poole.css
under images
to allow having two images side by side.
one other minor thing i found was that layout: post
, which was either an artifact of hexo or octopress, was breaking disqus rendering. i fixed this by doing this:
for file in *.md; do
grep -v "layout: post" $file > temp.md
mv temp.md $file
done
a little bit of extra tweaking to the settings and layouts and i was good to go! hopefully, this will push me to write posts a little bit more frequently :)
Dec 29, 2014 · 2 minute read
code
i’ve recently began using RecyclerView in some of my projects, and one thing that stood out as being broken was that mouse scrolling no longer worked. while this is perhaps only a theoretical issue, it is fairly vexing when developing on an emulator, especially while dealing with long lists of data. i’ve opened a bug about it.
this is solved by using onGenericMotionEvent. as per the documentation, “Generic motion events describe joystick movements, mouse hovers, track pad touches, scroll wheel movements and other input events.” for our RecyclerView, we basically have two options - one is to use setOnGenericMotionListener, and the other is to have our own subclass of RecyclerView to handle this.
below, you will see the subclass solution (which can be easily adopted for use with setOnGenericMotionListener
as well). the code here is adopted from AbsListView
.
public class CustomRecyclerView extends RecyclerView {
private Context mContext;
private float mVerticalScrollFactor;
// constructors omitted for brevity
private float getVerticalScrollFactor() {
if (mVerticalScrollFactor == 0) {
TypedValue outValue = new TypedValue();
if (!mContext.getTheme().resolveAttribute(
R.attr.listPreferredItemHeight, outValue, true)) {
throw new IllegalStateException(
"Expected theme to define listPreferredItemHeight.");
}
mVerticalScrollFactor = outValue.getDimension(
mContext.getResources().getDisplayMetrics());
}
return mVerticalScrollFactor;
}
@TargetApi(Build.VERSION_CODES.HONEYCOMB_MR1)
@Override
public boolean onGenericMotionEvent(MotionEvent event) {
if ((event.getSource() & InputDevice.SOURCE_CLASS_POINTER) != 0) {
if (event.getAction() == MotionEvent.ACTION_SCROLL &&
getScrollState() == SCROLL_STATE_IDLE) {
final float vscroll = event.getAxisValue(MotionEvent.AXIS_VSCROLL);
if (vscroll != 0) {
final int delta = -1 * (int) (vscroll * getVerticalScrollFactor());
if (ViewCompat.canScrollVertically(this, delta > 0 ? 1 : -1)) {
scrollBy(0, delta);
return true;
}
}
}
}
return super.onGenericMotionEvent(event);
}
}
Oct 28, 2014 · 1 minute read
code
one of my favorite sites on the web is haramain recordings. haramain recordings posts the latest prayers from masjid al haram and masjid al nabawi on a daily basis (every fajr, maghrib, and isha salah, along with jum3a khutbas, salat al tarawee7, and more).
because i found myself visiting haramain recordings very frequently, i started thinking, “it would be really great if i could access this on my phone…” and so, al7amdulillah, haramain for android was built.
haramain is an unofficial client for haramain recordings. it lets you stream the latest prayers from both masajid, and even lets you filter by sheikh. it was designed in accordance to material design, so it should look great on android L insha’Allah. it’s also free with no ads.
it’s quite light weight at the moment, and there are a lot of things that are missing, but insha’Allah as time goes on, we hope to keep updating it and make it more useful to people.
the app’s account is on Twitter at @haramainapp, and you can download it from google play.
Oct 13, 2014 · 2 minute read
code
today, i was having a discussion with Mostafa Gazar about android animations and his Widgets library, and Lucas Rocha’s probe project came to mind.
i decided to experiment and see if i could use probe to automatically add a ripple effect to a set of views without having to touch existing code. turns out it’s fairly easy to do! i did two separate implementations.
the first image is using Markus Hi’s android-ui library. the second image is using Mostafa’s Widgets.
the code using Mostafa’s Widgets is a lot simpler (due to RippleView doing most of the heavy lifting) - you can see it here. the code for wrapping android-ui is a bit more complicated (and mimics what Mostafa does in RippleView) and can be found here.
the general idea for both probe implementations is the same - we take any given view, and replace it with a FrameLayout containing the view, and an underlying “ripple view.”
now to apply either of these methods, we can do something like this:
public class RippleActivity extends Activity {
@Override
protected void onCreate(Bundle savedInstanceState) {
Probe.deploy(this, new RevealInterceptor(this),
new Filter.ParentId(R.id.ripple_main));
// can also use RippleInterceptor instead
super.onCreate(savedInstanceState);
setContentView(R.layout.ripples);
}
}
<?xml version="1.0" encoding="utf-8"?>
<FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:id="@+id/ripple_main"
android:orientation="vertical"
android:layout_width="match_parent"
android:layout_height="match_parent">
<View android:id="@+id/button"
android:layout_width="128dp"
android:layout_height="128dp"
android:background="#aa00aaff"
android:layout_gravity="center" />
<View android:layout_gravity="bottom"
android:layout_width="50dp"
android:layout_height="50dp"
android:background="#aaff" />
</FrameLayout>
one interesting point - if you remove the filter and just let probe work on any view (both interceptors enforce non-ViewGroups only), the ripple effect ends up working on all views, including views in the ActionBar as well (which is really neat!)
Aug 29, 2014 · 1 minute read
code
not too long back, i posted about euro matches. earlier this year, we also pushed saudi matches. it includes a new ui, new features, and so on. saudi matches was done in conjunction with Khalid Sudairy, Bandar Raffah, and Taylor Ling.
you can download it here.
Aug 10, 2014 · 1 minute read
technology
several months ago, i posted a plugin for searching the quran with alfred. i was playing with launchbar 6 recently, and while trying to figure out whether i want to use alfred or launchbar, i decided to write a plugin for searching the quran,
with suggestions, for launchbar.

download the launchbar plugin
i also decided to update the plugin for alfred (to have autocomplete). note that the current search api supports in:en
(in english), in:tl
(in transliteration), etc.

download the alfred plugin.
Jul 29, 2014 · 1 minute read
website
it’s been a long time since my last blog post, but i am hoping to become better about blogging. anyhow, the other day, i found nikola, a python blogging engine. i played with it and thought, “it would be cool to migrate my blog to it.” someone had written a migration script from octopress, and so i played with a migrated version locally.
unfortunately, some things (like pagination) would break the existing model that i’ve been using on this site in the past. so after much searching, i found hexo.
hexo is “a fast, simple & powerful blog framework, powered by Node.js.” it’s also a static blogging engine.
migrating from octopress was extremely simple - just a matter of copying pieces of my source directory to hexo’s source directory. then it was just a matter of tweaking some settings, finding a theme, and so on.
why migrate? first, it seems that octopress development has slowed down (at least relative to some of these other engines). secondly, some things, like tags, were only supported via a third party script. third, i am hoping it helps me blog more.
there you have it. enjoy!