Android Custom Views: Creating an Animated Pie Chart from Scratch (Part 2 of 4)
Introduction to Part 2
In Part 1 of this series, we covered the basics of custom views, including: deciding if a custom view is the best solution to your problem, the three basic methods for creating a custom view, and the required constructors you’ll need to implement when subclassing the View class.
In Part 2, we’ll dive into creating our PieChart class and adding its essential elements. We’ll be creating three classes:
- PieSlice: A model class to hold property information on individual slices of the pie
- PieData: A class to help add and remove data from the pie chart
- PieChart: The class that will be extending View
The PieSlice class
The PieSlice class will act as the data model for the individual pie slices in the chart. It will contain all the necessary information for PieChart to accurately display its data. Here’s what it looks like:
import android.graphics.Paint | |
import android.graphics.PointF | |
// Model for a single Pie Slice | |
data class PieSlice( | |
val name: String, | |
var value: Double, | |
var startAngle: Float, | |
var sweepAngle: Float, | |
var indicatorCircleLocation: PointF, | |
val paint: Paint | |
) |
As you can see above, the PieSlice class contains six variables:
- name: The data label that will appear next to the pie slice
- value: The data value that pie slice represents
- startAngle: The angle in the unit circle that the arc of the pie slice will begin at
- sweepAngle: The number of degrees the arc of the pie slice will travel
- indicatorCircleLocation: The position of the marker on each pie slice, which will be connected to name and value labels with a straight line
- paint: The paint used to draw the pie slice
The PieData class
This class will contain formatted data for our PieChart view. Using a PieData object will ensure that PieChart always has a consistent type of data coming in, and will allow users to easily assign, add, and delete data from the pie chart.
import android.graphics.Color | |
import android.graphics.Paint | |
import android.graphics.PointF | |
class PieData { | |
val pieSlices = HashMap<String, PieSlice>() | |
var totalValue = 0.0 | |
/** | |
* Adds data to the pieSlices hashmap | |
* | |
* @param name the name of the item being added | |
* @param value the value of the item being added | |
* @param color the color the item should be represented as (if not already in the map) | |
*/ | |
fun add(name: String, value: Double, color: String? = null) { | |
if (pieSlices.containsKey(name)) { | |
pieSlices[name]?.let { it.value += value } | |
} else { | |
color?.let { | |
pieSlices[name] = PieSlice(name, value, 0f, 0f, PointF(), createPaint(it)) | |
} ?: run { | |
pieSlices[name] = PieSlice(name, value, 0f, 0f, PointF(), createPaint(null)) | |
} | |
} | |
totalValue += value | |
} | |
/** | |
* Dynamically create paints for a given project | |
* If no color is passed, we assign a random color | |
* | |
* @param color the color of the paint to create | |
*/ | |
private fun createPaint(color: String?): Paint { | |
val newPaint = Paint() | |
color?.let { | |
newPaint.color = Color.parseColor(color) | |
} ?: run { | |
val randomValue = Random() | |
newPaint.color = Color.argb(255, randomValue.nextInt(255), | |
randomValue.nextInt(255), randomValue.nextInt(255)) | |
} | |
newPaint.isAntiAlias = true | |
return newPaint | |
} | |
} |
A few additional notes on PieData:
- The
pieSlices
hashmap is used to store the PieSlice objects that will populate the PieChart. The hashmap allows us to add to existing slices, and ensures that there won’t be any duplicates when it comes time to paint the chart. - The private function
createPaint
assigns a paint color at random if the user has not specified one. - The variable
totalValue
keeps track of the total value to be associated with our PieChart. This information will be vital to calculating the dimensions of our pie slices.
The PieChart class
Finally, it’s time for the real meat of the view! First, let’s take care of the constructors we discussed in Part 1. Our PieChart class is pretty simple, with no custom xml properties, so we can use the Kotlin trick demonstrated in Part 1:
import android.content.Context | |
import android.util.AttributeSet | |
import android.view.View | |
class PieChart @JvmOverloads constructor( | |
context: Context, attrs: AttributeSet? = null, defStyleAttr: Int = 0 | |
) : View(context, attrs, defStyleAttr) { | |
// Add view logic here | |
} |
Next, let’s define some variables to keep track of our data object. We’ll also create a few Paint()
objects that we’ll use to draw the pie chart, followed by an init { }
block to set their properties. The Kotlin function apply makes quick work of this:
class PieChart @JvmOverloads constructor( | |
context: Context, attrs: AttributeSet? = null, defStyleAttr: Int = 0 | |
) : View(context, attrs, defStyleAttr) { | |
// Data | |
private var data: PieData? = null | |
// Graphics | |
private val borderPaint = Paint() | |
private val linePaint = Paint() | |
private val indicatorCirclePaint = Paint() | |
private var indicatorCircleRadius = 0f | |
private val mainTextPaint = Paint() | |
private val oval = RectF() | |
init { | |
borderPaint.apply { | |
style = Paint.Style.STROKE | |
isAntiAlias = true | |
color = Color.WHITE | |
} | |
indicatorCirclePaint.apply { | |
style = Paint.Style.FILL | |
isAntiAlias = true | |
color = Color.LTGRAY | |
alpha = 0 | |
} | |
linePaint.apply { | |
style = Paint.Style.STROKE | |
isAntiAlias = true | |
color = Color.LTGRAY | |
alpha = 0 | |
} | |
mainTextPaint.apply { | |
isAntiAlias = true | |
color = Color.BLACK | |
alpha = 0 | |
} | |
} | |
} |
Here’s how we’ll use each of the Paint()
objects we just defined:
borderPaint
will be used to paint the lines that divide the pie slicesindicatorCirclePaint
will be used to paint markers on each pie slice, which will be connected to name and value labels with a straight lineindicatorCircleRadius
will be used to set the radius of the markers on each pie slicelinePaint
will be used to paint the straight lines connecting the markers on each pie slice to their associated name and value labelsmainTextPaint
will be used to paint the pie slice name labelsoval
will be used to define the bounds of the complete pie chart circle
The code above also defines our data
variable, and sets it to null
. To populate that variable, we need to create a method that takes in a PieData object and assigns it to data
. While we’re at it, let’s also calculate the dimensions of each pie slice. We’ll do this by creating two new methods: fun setData(data: PieData)
and fun setPieSliceDimensions()
:
/** | |
* Populates the data object and sets up the view based off the new data | |
* | |
* @param data the new set of data to be represented by the pie chart | |
*/ | |
fun setData(data: PiData) { | |
this.data = data | |
setPieSliceDimensions() | |
invalidate() | |
} | |
/** | |
* Calculates and sets the dimensions of the pie slices in the pie chart | |
*/ | |
private fun setPieSliceDimensions() { | |
var lastAngle = 0f | |
data?.pieSlices?.forEach { | |
// starting angle is the location of the last angle drawn | |
it.value.startAngle = lastAngle | |
// sweep angle is determined by multiplying the percentage of the project time with respect | |
// to the total time recorded and scaling it to unit circle degrees by multiplying by 360 | |
it.value.sweepAngle = (((it.value.value / data?.totalValue!!)) * 360f).toFloat() | |
lastAngle += it.value.sweepAngle | |
setIndicatorLocation(it.key) | |
} | |
} |
The setData()
function is pretty self-explanatory. It sets our data variable to the data being passed in, calls our setPieDimensions()
method (more on this below), and invalidates the view. But how do we figure out the coordinates of our indicator circles? Well…remember that time you were doing trigonometry homework and thought “I’m never going to use this!” ? Time to use it!
Calculating the PieSlice dimensions – Let’s get math-y!
/** | |
* Use the angle between the start and sweep angles to help get position of the indicator circle | |
* formula for x pos: (length of line) * cos(middleAngle) + (distance from left edge of screen) | |
* formula for y pos: (length of line) * sin(middleAngle) + (distance from top edge of screen) | |
* | |
* @param key key of pie slice being altered | |
*/ | |
private fun setIndicatorLocation(key: String) { | |
data?.pieSlices?.get(key)?.let { | |
val middleAngle = it.sweepAngle / 2 + it.startAngle | |
it.indicatorCircleLocation.x = (layoutParams.height.toFloat() / 2 - layoutParams.height / 8) * | |
Math.cos(Math.toRadians(middleAngle.toDouble())).toFloat() + width / 2 | |
it.indicatorCircleLocation.y = (layoutParams.height.toFloat() / 2 - layoutParams.height / 8) * | |
Math.sin(Math.toRadians(middleAngle.toDouble())).toFloat() + layoutParams.height / 2 | |
} | |
} |
We can think of the pie chart as a unit circle, and our pie slices as arcs on that circle. As you might recall from your trigonometry days, a unit circle goes from 0˚ to 360˚, so we know we’ll need to scale all of our values to that range.
We start by setting a lastAngle
variable to 0f — this is the degree at which the last slice ended and the next slice begins. We then calculate the sweepAngle
, and use both the startAngle
and sweepAngle
to determine the coordinates for the indicator marker. The details of the algorithm are as follows:
- Set
setLastAngle
to 0f - Loop through all slices:
- Set the
startAngle
of the current slice to the end of the last - Calculate
sweepAngle
–(currentValue / totalValueOfPieChart) * 360f
- Add this
sweepAngle
tolastAngle
so we know where to start the next slice - Find the middle angle of the current pie slice to calculate where the indicator circle will be placed:
(sweepAngle / 2) + startAngle
- [[@Sid: I don’t see this part reflected in the code]] Calculate the distance the indicator circle will be placed from the center of the pie chart (I chose a distance of 3/8ths of the pie chart distance from the edge, but you can choose whatever distance you’d like):
(3 * layoutParams.height / 8)
- Calculate
indicatorCircleLocation.x
andindicatorCircleLocation.y
using some basic trigonometry:indicatorCircleLocation.x = distance * Math.cos(Math.toRadians(middleAngle.toDouble())).toFloat() + width / 2
indicatorCircleLocation.y = distance * Math.sin(Math.toRadians(middleAngle.toDouble())).toFloat() + layoutParams.height / 2
- Set the
Sizing and resizing view elements
Before we can draw our pie chart, we need a way to determine how much space each element should take up on our screen. The following elements need to have their sizes set when we create the view, and will need to be updated every time the view is resized:
- Bounds for the complete pie chart circle
- Thickness of the indicator lines, dots, and borders
- Size of text for the labels
- Dimensions of the pie slices, including the locations of their indicators
We’ll base all of our sizes based on the height of our view, which will ensure that the text and graphics are readable on various devices and resolutions.
The diameter of our pie chart circle will be the full height of our view, and it will be centered along the width:
/** | |
* Sets the bounds of the pie chart | |
* | |
* @param top the top bound of the circle. top of view by default | |
* @param bottom the bottom bound of the circle. bottom of view by default | |
* @param left the left bound of the circle. half of height by default | |
* @param right the right bound of the circle. hald of height by default | |
*/ | |
private fun setCircleBounds( | |
top: Float = 0f, bottom: Float = layoutParams.height.toFloat(), | |
left: Float = (width / 2) - (layoutParams.height / 2).toFloat(), | |
right: Float = (width / 2) + (layoutParams.height / 2).toFloat() | |
) { | |
oval.top = top | |
oval.bottom = bottom | |
oval.left = left | |
oval.right = right | |
} |
Note that we assigned these values as defaults, meaning if we want to set custom bounds for our circle at any point, we have the ability to do so.
Next, we’ll create a quick method to calculate the text, border, line, and indicator circle sizes:
/** | |
* Sets the text sizes and thickness of graphics used in the view | |
*/ | |
private fun setGraphicSizes() { | |
mainTextPaint.textSize = height / 15f | |
borderPaint.strokeWidth = height / 80f | |
linePaint.strokeWidth = height / 120f | |
indicatorCircleRadius = height / 70f | |
} |
Finally, we need to put these methods to use somewhere! We want them to fire when the view is first created, and then again whenever it’s resized. Luckily for us, there’s a method we can override that does exactly what we need:
/** | |
* Re-calculates graphic sizes if size of view is changed | |
*/ | |
override fun onSizeChanged(w: Int, h: Int, oldw: Int, oldh: Int) { | |
super.onSizeChanged(w, h, oldw, oldh) | |
setCircleBounds() | |
setGraphicSizes() | |
data?.pieSlices?.forEach { | |
setIndicatorLocation(it.key) | |
} | |
} |
Overriding onDraw()
Let’s take a look at the function we’ll use to draw the pie chart. Our final onDraw()
will look like this:
/** | |
* Draws the view onto the screen | |
* | |
* @param canvas canvas object to be used to draw | |
*/ | |
override fun onDraw(canvas: Canvas?) { | |
super.onDraw(canvas) | |
data?.pieSlices?.let { slices -> | |
slices.forEach { | |
canvas?.drawArc(oval, it.value.startAngle, it.value.sweepAngle, true, it.value.paint) | |
canvas?.drawArc(oval, it.value.startAngle, it.value.sweepAngle, true, borderPaint) | |
drawIndicators(canvas, it.value) | |
} | |
} | |
} |
Pretty simple — we’re just iterating through all of the entries in our pie slice data and drawing them onto the screen, along with their indicators.
onDraw()
conveniently offers a canvas
object with a multitude of methods. We’re using the drawArc()
method twice — once to draw each pie slice with its respective paint, and then again to draw the white borders around the slices. Lastly, we draw the indicators — let’s take a look at that implementation:
/** | |
* Draws the indicators for projects displayed on the pie chart | |
* | |
* @param canvas the canvas used to draw onto the screen | |
* @param pieItem the project information to display | |
*/ | |
private fun drawIndicators(canvas: Canvas?, pieItem: PieSlice) { | |
// draw line & text for indicator circle if on left side of the pie chart | |
if (pieItem.indicatorCircleLocation.x < width / 2) { | |
drawIndicatorLine(canvas, pieItem, IndicatorAlignment.LEFT) | |
drawIndicatorText(canvas, pieItem, IndicatorAlignment.LEFT) | |
// draw line & text for indicator circle if on right side of the pie chart | |
} else { | |
drawIndicatorLine(canvas, pieItem, IndicatorAlignment.RIGHT) | |
drawIndicatorText(canvas, pieItem, IndicatorAlignment.RIGHT) | |
} | |
// draw indicator circles for pie slice | |
canvas?.drawCircle(pieItem.indicatorCircleLocation.x, pieItem.indicatorCircleLocation.y, | |
indicatorCircleRadius, indicatorCirclePaint) | |
} |
The dimensions of an indicator line depend on the position of its associated slice, which determines the line’s location relative to the pie chart. For example, a slice on the right side of the chart should have an indicator line that points to the right, while one on the left should have an indicator line that points left. Let’s create a simple enum to keep track of these directions:
enum class IndicatorAlignment { | |
LEFT, RIGHT | |
} |
All we need to do now is pass the canvas, pie slice data, and indicator alignment to drawIndicatorLine()
and drawIndicatorText()
. Let’s take a look at those methods:
/** | |
* Draws indicator lines onto the canvas dependent on which side the of the pie the slice is on | |
* | |
* @param canvas the canvas to draw onto | |
* @param pieItem the pie data to draw | |
* @param alignment which side of the pie chart this particular slice is on | |
*/ | |
private fun drawIndicatorLine(canvas: Canvas?, pieItem: PieSlice, alignment: IndicatorAlignment) { | |
val xOffset = if (alignment == IndicatorAlignment.LEFT) width / 4 * -1 else width / 4 | |
canvas?.drawLine( | |
pieItem.indicatorCircleLocation.x, pieItem.indicatorCircleLocation.y, | |
pieItem.indicatorCircleLocation.x + xOffset, pieItem.indicatorCircleLocation.y, linePaint | |
) | |
} | |
/** | |
* Draws indicator names onto the canvas dependent on which side the of the pie the slice is on | |
* | |
* @param canvas the canvas to draw onto | |
* @param pieItem the pie data to draw | |
* @param alignment which side of the pie chart this particular slice is on | |
*/ | |
private fun drawIndicatorText(canvas: Canvas?, pieItem: PieSlice, alignment: IndicatorAlignment) { | |
val xOffset = if (alignment == IndicatorAlignment.LEFT) width / 4 * -1 else width / 4 | |
if (alignment == IndicatorAlignment.LEFT) mainTextPaint.textAlign = Paint.Align.LEFT | |
else mainTextPaint.textAlign = Paint.Align.RIGHT | |
canvas?.drawText(pieItem.name, pieItem.indicatorCircleLocation.x + xOffset, | |
pieItem.indicatorCircleLocation.y - 10, mainTextPaint) | |
} |
These methods are doing essentially the same thing — one with a line, and the other with text. We calculate the xOffset
based on whether the pie slice is on the left or right side of the pie chart, and use it to determine the x coordinate for the line or text. drawIndicatorText()
has one additional step — setting the text alignment to either left or right, depending on the side of the pie chart on which the text is drawn.
Let’s use our PieChart view!
If you’ve been following along, you should have a fully functioning pie chart view that’s ready to be used. So, let’s use it!
Head over to a layout file (I’ll be adding the view to MainActivity
, so my layout file is activity_main.xml
) and add it to the view:
<?xml version="1.0" encoding="utf-8"?> | |
<android.support.constraint.ConstraintLayout | |
xmlns:android="http://schemas.android.com/apk/res/android" | |
xmlns:tools="http://schemas.android.com/tools" | |
xmlns:app="http://schemas.android.com/apk/res-auto" | |
android:layout_width="match_parent" android:layout_height="match_parent" | |
tools:context=".MainActivity"> | |
<com.example.piechart.PieChart | |
android:id="@+id/pie_chart" | |
android:layout_width="match_parent" | |
android:layout_height="200dp" | |
app:layout_constraintTop_toTopOf="parent" | |
android:layout_marginTop="20dp"/> | |
</android.support.constraint.ConstraintLayout> |
Next, we’ll need to create a PieData
object and populate its data, using the add
method we created earlier:
import android.support.v7.app.AppCompatActivity | |
import android.os.Bundle | |
import com.example.piechart.PiData | |
import kotlinx.android.synthetic.main.activity_main.* | |
class MainActivity : AppCompatActivity() { | |
val data = PiData() | |
override fun onCreate(savedInstanceState: Bundle?) { | |
super.onCreate(savedInstanceState) | |
setContentView(R.layout.activity_main) | |
data.add("Sid", 18.0, "#4286f4") | |
data.add("Nick", 4.0, "#44a837") | |
data.add("Nick", 6.0, "#44a837") | |
data.add("Dave", 10.0) | |
pie_chart.setData(data) | |
} | |
} |
Here we declared and initialized a PieData
object as a property variable of MainActivity
and added values to it in onCreate()
. Notice that even though we didn’t give Dave a color, he was dynamically assigned one when the chart was created.
What’s next?
Part 3 of this series will cover touch events and interacting with the PieChart view. Stay tuned!