Google Fit, Wear & Xamarin
Peter Friese @peterfriese
Matt Sullivan @mjohnsullivan
Google Fit, Android Wear & Xamarin
Google Fit, Android Wear & Xamarin
Google Fit, Android Wear & Xamarin
Code Lab
Food for Thought
Are Fitness apps just for
runners, cyclists, athletes?
Or for those on a mission to get
fit and stay healthy?
Can we add elements of fitness
to everyday apps?
Google Fit, Android Wear & Xamarin
http://handy-games.com/games/kitty-my-fitness-cat/
Google Fit, Android Wear & Xamarin
Google Fit, Android Wear & Xamarin
Google Fit, Android Wear & Xamarin
Positive impact on physical and
emotional wellbeing
==
positive impact on user
experience and happiness
Android Wear
Create a Wear app module
Design the watch face UI
Extend WatchFaceService.Engine
Create a companion app
1
2
3
4
Watch Face Architecture
Wearable App
CanvasWatchFaceService
Engine
WearableConfigActivity
WearableListenerService
Mobile App
MobileConfigActivity
Design for square
and round
Interactive and
Ambient Modes
Gestures
CanvasWatchFaceService.Engine
UI Drawing
Manually draw onto
a Canvas Object
Ambient Mode Changes
Reduced color space
Burn protection
Redraw Intervals
Once a minute in
Ambient – OnTimeTick()
Custom for interactive
– use a System Timer
TimeZone Changes
Use a BroadcastReceiver
Interactive Watch Faces
.SetAcceptsTapEvents() in Builder
Override OnTapCommand()
Drawing the watch face
Background
Hour Ticks
Step Count
Minutes Hand
Seconds Hand
Hours Hand
backgroundScaledBitmap =
Bitmap.CreateScaledBitmap(backgroundBitmap,

width, height, true);

canvas.DrawBitmap(backgroundScaledBitmap, 0, 0, null);



Drawing the Watch Face - Background
Google Fit, Android Wear & Xamarin
var innerTickRadius = centerX - 10;

var outerTickRadius = centerX;

for (var tickIndex = 0; tickIndex < 12; tickIndex++)

{

	 var tickRot = (float)(tickIndex * Math.PI * 2 / 12);

	 var innerX = (float)Math.Sin(tickRot) * innerTickRadius;

	 var innerY = (float)-Math.Cos(tickRot) * innerTickRadius;

	 var outerX = (float)Math.Sin(tickRot) * outerTickRadius;

	 var outerY = (float)-Math.Cos(tickRot) * outerTickRadius;


	 canvas.DrawLine(centerX + innerX, centerY + innerY,

	 centerX + outerX, centerY + outerY, tickPaint);

}



Drawing the Watch Face - Ticks
var width = bounds.Width();

var height = bounds.Height();



var steps = stepCount.ToString();

var stepsWidth = stepcountPaint.MeasureText(steps);



var x = width - stepsWidth - stepCountOffset;

var y = (height + stepCountTextSize) / 2.0f;



canvas.DrawText(steps, x, y, stepcountPaint);

Drawing the Watch Face - Step Count
Ambient mode
Reduce color depth
Reduce number of non-black pixels
Use color for < 5% pixels
Watch face updates
once a minute -
don’t show seconds
Save power
Interactive Ambient
public override void OnDraw(Canvas canvas, Rect bounds)

{

	 DrawFace(canvas, bounds);

	 DrawHands(canvas, bounds);

}



void DrawHands(Canvas canvas, Rect bounds)

{

	 if (!IsInAmbientMode) {

	 	 canvas.DrawLine(centerX, centerY,
centerX + secX, centerY + secY, secondPaint);

	 }



	 canvas.DrawLine(centerX, centerY,
centerX + minX, centerY + minY, minutePaint);

}
Ambient Mode
public override void OnDraw(Canvas canvas, Rect bounds)

{

	 DrawFace(canvas, bounds);

	 DrawHands(canvas, bounds);

}



void DrawHands(Canvas canvas, Rect bounds)

{

	 if (!IsInAmbientMode) {

	 	 canvas.DrawLine(centerX, centerY,
centerX + secX, centerY + secY, secondPaint);

	 }



	 canvas.DrawLine(centerX, centerY,
centerX + minX, centerY + minY, minutePaint);

}
Ambient Mode
No seconds hand
in ambient mode
void UpdateTimer()

{

	 if (timerSeconds == null) {

	 	 timerSeconds = new System.Threading.Timer(

	 	 	 state => {

	 	 	 	 Invalidate();

	 	 	 },

	 	 	 null, dueTime, period

	 }

	 else {

	 	 if (IsVisible && !IsInAmbientMode) {

	 	 	 timerSeconds.Change(0, InteractiveUpdateRateMs);

	 	 }

	 	 else {

	 	 	 timerSeconds.Change(System.Threading.Timeout.Infinite, 0);

	 	 }

	 }

}
Ambient Mode / 2
void UpdateTimer()

{

	 if (timerSeconds == null) {

	 	 timerSeconds = new System.Threading.Timer(

	 	 	 state => {

	 	 	 	 Invalidate();

	 	 	 },

	 	 	 null, dueTime, period

	 }

	 else {

	 	 if (IsVisible && !IsInAmbientMode) {

	 	 	 timerSeconds.Change(0, InteractiveUpdateRateMs);

	 	 }

	 	 else {

	 	 	 timerSeconds.Change(System.Threading.Timeout.Infinite, 0);

	 	 }

	 }

}
Ambient Mode / 2
Redraw every second when
in interactive mode
void UpdateTimer()

{

	 if (timerSeconds == null) {

	 	 timerSeconds = new System.Threading.Timer(

	 	 	 state => {

	 	 	 	 Invalidate();

	 	 	 },

	 	 	 null, dueTime, period

	 }

	 else {

	 	 if (IsVisible && !IsInAmbientMode) {

	 	 	 timerSeconds.Change(0, InteractiveUpdateRateMs);

	 	 }

	 	 else {

	 	 	 timerSeconds.Change(System.Threading.Timeout.Infinite, 0);

	 	 }

	 }

}
Ambient Mode / 2
Turn timer
on in interactive mode
off in ambient mode
Configuration Activities
WEARABLE_CONFIGURATION on Wear
COMPANION_CONFIGURATION on Phone
DataLayer API
Listen for Data Item Events
Write DataItems to URI Paths
void SaveStepCountStatus(GoogleApiClient googleApiClient, bool stepCountOn)
{
var putDataMapRequest = PutDataMapRequest.Create("/xfit_watchface");
putDataMapRequest.DataMap.PutBoolean("stepcount", stepCountOn);
var putDataRequest = putDataMapRequest.AsPutDataRequest();
putDataRequest.SetUrgent();
WearableClass.DataApi.PutDataItem(googleApiClient, putDataRequest);
}
Syncing configuration /1
void SaveStepCountStatus(GoogleApiClient googleApiClient, bool stepCountOn)
{
var putDataMapRequest = PutDataMapRequest.Create("/xfit_watchface");
putDataMapRequest.DataMap.PutBoolean("stepcount", stepCountOn);
var putDataRequest = putDataMapRequest.AsPutDataRequest();
putDataRequest.SetUrgent();
WearableClass.DataApi.PutDataItem(googleApiClient, putDataRequest);
}
Syncing configuration /1
URI Path
Data Item Key
Sync now
void OnDataChanged(DataEventBuffer dataEvents)
{
foreach (var dataEvent in dataEvents)
{
var dataItem = dataEvent.DataItem;
if (dataItem.Uri.Path == "/xfit_watchface")
{
var dataMap = DataMapItem.FromDataItem(dataItem).DataMap;
displayStepCount = dataMap.GetBoolean(“stepcount”);
Invalidate(); // force redraw
}
}
}
Syncing configuration /2
void OnDataChanged(DataEventBuffer dataEvents)
{
foreach (var dataEvent in dataEvents)
{
var dataItem = dataEvent.DataItem;
if (dataItem.Uri.Path == "/xfit_watchface")
{
var dataMap = DataMapItem.FromDataItem(dataItem).DataMap;
displayStepCount = dataMap.GetBoolean(“stepcount”);
Invalidate(); // force redraw
}
}
}
Implements IDataApiDataListener
Syncing configuration /2
URI Path
Data Item Key
Watch face drawing code
GoogleAPIClient code
Configuration code
Reading the step count code
1
2
3
4
Clean Code
Partial Classes
XFitWatchfaceService
XFitWatchFaceEngine
(Drawing Code)
XFitWatchFaceEngine
(Config Code)
XFitWatchFaceEngine
(Google API Client Code)
XFitWatchFaceEngine
(Step Count Code)
XFitWatchFaceEngine
Partial Classes
XFitWatchfaceService
XFitWatchFaceEngine
(Drawing Code)
XFitWatchFaceEngine
(Config Code)
XFitWatchFaceEngine
(Google API Client Code)
XFitWatchFaceEngine
(Step Count Code)
XFitWatchFaceEngine
[Service(Label = "XFit Watchface 4",
Permission = "android.permission.BIND_WALLPAPER")]

[IntentFilter(new[] { "android.service.wallpaper.WallpaperService" },
Categories = new[]
{ "com.google.android.wearable.watchface.category.WATCH_FACE" })]

public partial class XFitWatchfaceService: CanvasWatchFaceService

{



	 public override WallpaperService.Engine OnCreateEngine()

	 {

	 	 return new XFitWatchfaceEngine(this);

	 }



	 partial class XFitWatchfaceEngine : Engine

	 {
// drawing code

	 }
}
XFitWatchfaceService.cs (Drawing Code)
Partial Classes
XFitWatchfaceService
XFitWatchFaceEngine
(Drawing Code)
XFitWatchFaceEngine
(Config Code)
XFitWatchFaceEngine
(Google API Client Code)
XFitWatchFaceEngine
(Step Count Code)
XFitWatchFaceEngine
[MetaData(
"com.google.android.wearable.watchface.wearableConfigurationAction",
Value = "XFitWatchface.CONFIG")]

[MetaData(
"com.google.android.wearable.watchface.companionConfigurationAction",
Value = "XFitWatchface.CONFIG")]
public partial class XFitWatchfaceService : CanvasWatchFaceService

{



	 partial class XFitWatchfaceEngine : Engine, IDataApiDataListener

	 {

	 	 void ConnectWatchfaceConfigUpdates()
	 	 {

	 	 }

	 }

}

XFitWatchfaceServiceConfig.cs (Config Code)
Partial Classes
XFitWatchfaceService
XFitWatchFaceEngine
(Drawing Code)
XFitWatchFaceEngine
(Config Code)
XFitWatchFaceEngine
(Google API Client Code)
XFitWatchFaceEngine
(Step Count Code)
XFitWatchFaceEngine
public partial class XFitWatchfaceService : CanvasWatchFaceService

{



	 partial class XFitWatchfaceEngine : Engine

	 {

	 	 GoogleApiClient googleApiClient;



	 	 void ConnectGoogleApiClient()

	 	 {

	 	 	 googleApiClient = new GoogleApiClient.Builder(owner)
	 	 	 	 .AddApi(FitnessClass.HISTORY_API)

	 	 	 	 .AddApi(FitnessClass.RECORDING_API)

	 	 	 	 .AddApi(WearableClass.API)
	 	 	 	 .Build();
	 	 	 googleApiClient.Connect();

	 	 }

	 }

}
XFitWatchfaceServiceGoogleApiClient.cs (Google API Client)
Google Fit
Google Fit, Android Wear & Xamarin
Activity Read/Write
Body Read/Write
Location Read/Write
Nutrition Read/Write
Sleep Duration & Type
Calories Consumed, Macronutrients
Height, Weight, BMI, Body Fat %
Heart Rate
Distance Traveled
Steps
Calories Burned
Activity Segments (walking, running, biking)
Gym Activities
ACTIVITY
NUTRITION
BODY
SLEEP
SENSORS API
RECORDING API
HISTORY API
SESSIONS API
SENSORS API
Find all sensors, both on and off-device
FindDataSources (GoogleApiClient c, DataSourcesRequest r)
Register for sensor data
Add (GoogleApiClient c, SensorRequest r, IOnDataPointListener l);
Unregister for sensor data
Remove (GoogleApiClient c, IOnDataPointListener l);
RECORDING API
Stop recording data types/sources
Unsubscribe (GoogleApiClient c, DataType t)
Unsubscribe (GoogleApiClient c, DataSource s)
What data is being recorded
ListSubscriptions (GoogleApiClient c)
Record from data types/sources
Subscribe (GoogleApiClient c, DataType t)
Subscribe (GoogleApiClient c, DataSource s)
HISTORY API
Manually add data
InsertData (GoogleApiClient c, DataSet d)
Remove data
DeleteData (GoogleApiClient c, DeleteDataRequest r)
Retrieve data
void ReadData (GoogleApiClient c, DataReadRequest r)
SESSIONS API
Start recording a live session
void StartSession(GoogleApiClient client, Session session);
Stop recording a live session
void StopSession (GoogleApiClient client, String identifier);
Insert a session
void InsertSession (GoogleApiClient client, SessionInsertRequest request)
curl 
-H "Content-Type: application/json" 
-H "Authorization: Bearer $ACCESS_TOKEN" 
https://www.googleapis.com/fitness/v1/users/me/dataSources/
derived:com.google.step_count.delta:...:estimated_steps/
datasets/1438701040000000000-143930584000000000
REST API
Reading Steps
Create a GoogleApiClient
Ensure device is recording steps
Build an aggregated query
Read and extract the data
1
2
3
4
void BuildApiClient ()
{
googleApiClient = new GoogleApiClient.Builder (this)
.AddApi (FitnessClass.HISTORY_API)
.AddApi (FitnessClass.RECORDING_API)
.AddScope (FitnessClass.ScopeActivityReadWrite)
.EnableAutoManage (this, AuthClientId,
result => {
// Unresolvable error, handle or fail silently
})
.Build ();
SubscribeToSteps ();
ReadSteps ();
}
Read before connection
established
Auto manage
connection
Build API Client
void SubscribeToSteps ()
{
FitnessClass.RecordingApi.Subscribe (googleApiClient,
TypeStepCountDelta)
.SetResultCallback( (IResult result) => {
if (!result.Status.IsSuccess)
{
// Error subscribing, handle
}
});
}
Subscribing
// Read step count deltas from the History API
DataReadRequest DailyStepsForWeek()
{
long midnight = TimeUtility.MidnightLocalPosix ();
long midnightWeekAgo = TimeUtility.DaysAgoPosix (midnight, 7);
return new DataReadRequest.Builder ()
.Aggregate (DataType.TypeStepCountDelta,
DataType.AggregateStepCountDelta)
.BucketByTime (1, TimeUnit.Days)
.SetTimeRange (midnightWeekAgo, midnight,
TimeUnit.Milliseconds)
.Build();
}
Data
Aggregation
Data Read Request
// Reads and extracts step data
void ReadDailySteps ()
{
DataReadRequest readRequest = RequestBuilder.DailyStepsForWeek ();
FitnessClass.HistoryApi.ReadData (googleApiClient, readRequest)
.SetResultCallback ( (IResult result) => {
IList<Bucket> buckets = ((DataReadResult)result).Buckets;
foreach (var bucket in buckets)
{
var stepCount = bucket.DataSets.Sum(dataSet =>
dataSet.DataPoints.Sum (dp =>
dp.DataType.Fields.Sum (f =>
dp.GetValue (f).AsInt())));
Log.Info (Tag, $"Step Count: {stepCount}");
}
});
}
Reading
Data
Extracting
Data
Read Daily Steps
Writing Data
// Writing data
googleApiClient = new GoogleApiClient.Builder(context)
.AddApi(...)
.AddConnectionCallbacks(
connectionHint => { // Connected! },
cause => { // Suspended }
).Build();
Writes require
an established
connection
Writing Data
Reading Today’s
Steps
Create a GoogleApiClient
Ensure device is recording steps
Build an aggregated query
Read and extract the data
1
2
3
3
Create a GoogleApiClient
Ensure device is recording steps
Read and extract the data
1
2
2
// All in one reading steps
void AllInOne()
{
var client = new GoogleApiClient.Builder (this)
.AddApi (FitnessClass.HISTORY_API)
.UseDefaultAccount ()
.Build ();
client.Connect ();
FitnessClass.HistoryApi.ReadDailyTotal (client, TypeStepCountDelta)
.SetResultCallback ( (IResult result) => {
DataSet ds = ((DailyTotalResult) result).Total;
int stepCount = ds.DataPoints.Sum (
dp => dp.DataType.Fields.Sum (
f => dp.GetValue (f).AsInt()));
});
}
Default
Account Read Daily Total
Read Today’s Steps
Code Lab
Thank You!
https://developers.google.com/fit/
https://developer.android.com/wear/
http://developer.android.com/training/wearables/watch-faces/

More Related Content

PPTX
Introduction to Koltin for Android Part I
PDF
Java 10 New Features
PDF
Angular Libraries & NPM
PPT
Graphical User Interface in JAVA
PDF
What is Dependency Injection in Spring Boot | Edureka
PDF
EGL 1.4 Reference Card
PDF
Mobile Application Design & Development
PDF
Supporting multiple screens on android
Introduction to Koltin for Android Part I
Java 10 New Features
Angular Libraries & NPM
Graphical User Interface in JAVA
What is Dependency Injection in Spring Boot | Edureka
EGL 1.4 Reference Card
Mobile Application Design & Development
Supporting multiple screens on android

What's hot (20)

PPTX
Hexagonal architecture with Spring Boot
PPTX
Introduction to iOS Apps Development
PDF
The Android graphics path, in depth
PPTX
Test-Driven Development In Action
PDF
SAP Fiori Interview Q& A - IQ Online Training
PDF
Java programming material for beginners by Nithin, VVCE, Mysuru
PPT
GUI Programming In Java
PPTX
Dependency injection ppt
PPTX
Jetpack Compose.pptx
PPTX
Introduction to python
PPTX
Appium with MySQL Database
PDF
Flutter overview - advantages & disadvantages for business
PDF
Introduction To Mobile-Automation
PDF
Dialog programming ABAP
PPTX
Vb6 vs vb.net....(visual basic) presentation
PDF
Automação de testes BDD e ATDD
PDF
Introduction to JavaFX
PPTX
Tech talks#6: Code Refactoring
PPT
PHP - PDO Objects
PPTX
ASP.NET Core Unit Testing
Hexagonal architecture with Spring Boot
Introduction to iOS Apps Development
The Android graphics path, in depth
Test-Driven Development In Action
SAP Fiori Interview Q& A - IQ Online Training
Java programming material for beginners by Nithin, VVCE, Mysuru
GUI Programming In Java
Dependency injection ppt
Jetpack Compose.pptx
Introduction to python
Appium with MySQL Database
Flutter overview - advantages & disadvantages for business
Introduction To Mobile-Automation
Dialog programming ABAP
Vb6 vs vb.net....(visual basic) presentation
Automação de testes BDD e ATDD
Introduction to JavaFX
Tech talks#6: Code Refactoring
PHP - PDO Objects
ASP.NET Core Unit Testing
Ad

Similar to Google Fit, Android Wear & Xamarin (20)

PDF
Android Wear Essentials
PPT
Android Wearable App
PPT
Android wearpp
PDF
Developing Your First Android Wear App
PPTX
Building for android wear Depth and Flexibility.
PDF
Google Wear OS watch faces and applications development
PPTX
Android Wear, a developer's perspective
PDF
Break Timer: Android-wear introduction and application case-study
PDF
Android Wear Applications in C# with Xamarin
PDF
Build your first wear app
PDF
Google Wear OS watch faces and applications development - UA Mobile 2019
PPTX
Developing for Wearables with Xamarin
PDF
Developing For Android Wear - Part 2
PPTX
GDG GeorgeTown Devfest 2014 Presentation: Android Wear: A Developer's Perspec...
PDF
Android Wear from zero to hero
PDF
Android Wear: A Developer's Perspective
PPTX
Wearables Presentation from Queensland C# Mobile Developers August 2016
PDF
Developing for android wear
PDF
What's new in Android Wear 2.0
PPTX
Android Wear Development for beginners
Android Wear Essentials
Android Wearable App
Android wearpp
Developing Your First Android Wear App
Building for android wear Depth and Flexibility.
Google Wear OS watch faces and applications development
Android Wear, a developer's perspective
Break Timer: Android-wear introduction and application case-study
Android Wear Applications in C# with Xamarin
Build your first wear app
Google Wear OS watch faces and applications development - UA Mobile 2019
Developing for Wearables with Xamarin
Developing For Android Wear - Part 2
GDG GeorgeTown Devfest 2014 Presentation: Android Wear: A Developer's Perspec...
Android Wear from zero to hero
Android Wear: A Developer's Perspective
Wearables Presentation from Queensland C# Mobile Developers August 2016
Developing for android wear
What's new in Android Wear 2.0
Android Wear Development for beginners
Ad

More from Peter Friese (20)

PDF
Building Reusable SwiftUI Components
PDF
Firebase & SwiftUI Workshop
PDF
Building Reusable SwiftUI Components
PDF
Firebase for Apple Developers - SwiftHeroes
PDF
 +  = ❤️ (Firebase for Apple Developers) at Swift Leeds
PDF
async/await in Swift
PDF
Firebase for Apple Developers
PDF
Building Apps with SwiftUI and Firebase
PDF
Rapid Application Development with SwiftUI and Firebase
PDF
Rapid Application Development with SwiftUI and Firebase
PDF
6 Things You Didn't Know About Firebase Auth
PDF
Five Things You Didn't Know About Firebase Auth
PDF
Building High-Quality Apps for Google Assistant
PDF
Building Conversational Experiences with Actions on Google
PDF
Building Conversational Experiences with Actions on Google
PDF
Introduction to Android Wear
PDF
Google Play Services Rock
PDF
Introduction to Android Wear
PDF
Google+ for Mobile Apps on iOS and Android
PDF
Cross-Platform Authentication with Google+ Sign-In
Building Reusable SwiftUI Components
Firebase & SwiftUI Workshop
Building Reusable SwiftUI Components
Firebase for Apple Developers - SwiftHeroes
 +  = ❤️ (Firebase for Apple Developers) at Swift Leeds
async/await in Swift
Firebase for Apple Developers
Building Apps with SwiftUI and Firebase
Rapid Application Development with SwiftUI and Firebase
Rapid Application Development with SwiftUI and Firebase
6 Things You Didn't Know About Firebase Auth
Five Things You Didn't Know About Firebase Auth
Building High-Quality Apps for Google Assistant
Building Conversational Experiences with Actions on Google
Building Conversational Experiences with Actions on Google
Introduction to Android Wear
Google Play Services Rock
Introduction to Android Wear
Google+ for Mobile Apps on iOS and Android
Cross-Platform Authentication with Google+ Sign-In

Recently uploaded (9)

PDF
Best 4 Sites for Buy Verified Cash App Accounts – BTC Only.pdf
DOC
SIUE毕业证学历认证,阿祖萨太平洋大学毕业证学位证书复制
PPTX
Introduction to Packet Tracer Course Overview - Aug 21 (1).pptx
PDF
Date Right Stuff - Invite only, conservative dating app
PDF
Kids, Screens & Emotional Development by Meenakshi Khakat
DOC
NIU毕业证学历认证,阿比林基督大学毕业证留学生学历
PPTX
Social Media People PowerPoint Templates.pptx
PDF
2025 Guide to Buy Verified Cash App Accounts You Can Trust.pdf
DOC
EIU毕业证学历认证,贝尔维尤学院毕业证国外毕业证
Best 4 Sites for Buy Verified Cash App Accounts – BTC Only.pdf
SIUE毕业证学历认证,阿祖萨太平洋大学毕业证学位证书复制
Introduction to Packet Tracer Course Overview - Aug 21 (1).pptx
Date Right Stuff - Invite only, conservative dating app
Kids, Screens & Emotional Development by Meenakshi Khakat
NIU毕业证学历认证,阿比林基督大学毕业证留学生学历
Social Media People PowerPoint Templates.pptx
2025 Guide to Buy Verified Cash App Accounts You Can Trust.pdf
EIU毕业证学历认证,贝尔维尤学院毕业证国外毕业证

Google Fit, Android Wear & Xamarin

  • 1. Google Fit, Wear & Xamarin Peter Friese @peterfriese Matt Sullivan @mjohnsullivan
  • 7. Are Fitness apps just for runners, cyclists, athletes? Or for those on a mission to get fit and stay healthy?
  • 8. Can we add elements of fitness to everyday apps?
  • 14. Positive impact on physical and emotional wellbeing == positive impact on user experience and happiness
  • 16. Create a Wear app module Design the watch face UI Extend WatchFaceService.Engine Create a companion app 1 2 3 4
  • 17. Watch Face Architecture Wearable App CanvasWatchFaceService Engine WearableConfigActivity WearableListenerService Mobile App MobileConfigActivity
  • 18. Design for square and round Interactive and Ambient Modes Gestures
  • 19. CanvasWatchFaceService.Engine UI Drawing Manually draw onto a Canvas Object Ambient Mode Changes Reduced color space Burn protection Redraw Intervals Once a minute in Ambient – OnTimeTick() Custom for interactive – use a System Timer TimeZone Changes Use a BroadcastReceiver Interactive Watch Faces .SetAcceptsTapEvents() in Builder Override OnTapCommand()
  • 20. Drawing the watch face Background Hour Ticks Step Count Minutes Hand Seconds Hand Hours Hand
  • 21. backgroundScaledBitmap = Bitmap.CreateScaledBitmap(backgroundBitmap,
 width, height, true);
 canvas.DrawBitmap(backgroundScaledBitmap, 0, 0, null);
 
 Drawing the Watch Face - Background
  • 23. var innerTickRadius = centerX - 10;
 var outerTickRadius = centerX;
 for (var tickIndex = 0; tickIndex < 12; tickIndex++)
 {
 var tickRot = (float)(tickIndex * Math.PI * 2 / 12);
 var innerX = (float)Math.Sin(tickRot) * innerTickRadius;
 var innerY = (float)-Math.Cos(tickRot) * innerTickRadius;
 var outerX = (float)Math.Sin(tickRot) * outerTickRadius;
 var outerY = (float)-Math.Cos(tickRot) * outerTickRadius; 
 canvas.DrawLine(centerX + innerX, centerY + innerY,
 centerX + outerX, centerY + outerY, tickPaint);
 }
 
 Drawing the Watch Face - Ticks
  • 24. var width = bounds.Width();
 var height = bounds.Height();
 
 var steps = stepCount.ToString();
 var stepsWidth = stepcountPaint.MeasureText(steps);
 
 var x = width - stepsWidth - stepCountOffset;
 var y = (height + stepCountTextSize) / 2.0f;
 
 canvas.DrawText(steps, x, y, stepcountPaint);
 Drawing the Watch Face - Step Count
  • 25. Ambient mode Reduce color depth Reduce number of non-black pixels Use color for < 5% pixels Watch face updates once a minute - don’t show seconds Save power Interactive Ambient
  • 26. public override void OnDraw(Canvas canvas, Rect bounds)
 {
 DrawFace(canvas, bounds);
 DrawHands(canvas, bounds);
 }
 
 void DrawHands(Canvas canvas, Rect bounds)
 {
 if (!IsInAmbientMode) {
 canvas.DrawLine(centerX, centerY, centerX + secX, centerY + secY, secondPaint);
 }
 
 canvas.DrawLine(centerX, centerY, centerX + minX, centerY + minY, minutePaint);
 } Ambient Mode
  • 27. public override void OnDraw(Canvas canvas, Rect bounds)
 {
 DrawFace(canvas, bounds);
 DrawHands(canvas, bounds);
 }
 
 void DrawHands(Canvas canvas, Rect bounds)
 {
 if (!IsInAmbientMode) {
 canvas.DrawLine(centerX, centerY, centerX + secX, centerY + secY, secondPaint);
 }
 
 canvas.DrawLine(centerX, centerY, centerX + minX, centerY + minY, minutePaint);
 } Ambient Mode No seconds hand in ambient mode
  • 28. void UpdateTimer()
 {
 if (timerSeconds == null) {
 timerSeconds = new System.Threading.Timer(
 state => {
 Invalidate();
 },
 null, dueTime, period
 }
 else {
 if (IsVisible && !IsInAmbientMode) {
 timerSeconds.Change(0, InteractiveUpdateRateMs);
 }
 else {
 timerSeconds.Change(System.Threading.Timeout.Infinite, 0);
 }
 }
 } Ambient Mode / 2
  • 29. void UpdateTimer()
 {
 if (timerSeconds == null) {
 timerSeconds = new System.Threading.Timer(
 state => {
 Invalidate();
 },
 null, dueTime, period
 }
 else {
 if (IsVisible && !IsInAmbientMode) {
 timerSeconds.Change(0, InteractiveUpdateRateMs);
 }
 else {
 timerSeconds.Change(System.Threading.Timeout.Infinite, 0);
 }
 }
 } Ambient Mode / 2 Redraw every second when in interactive mode
  • 30. void UpdateTimer()
 {
 if (timerSeconds == null) {
 timerSeconds = new System.Threading.Timer(
 state => {
 Invalidate();
 },
 null, dueTime, period
 }
 else {
 if (IsVisible && !IsInAmbientMode) {
 timerSeconds.Change(0, InteractiveUpdateRateMs);
 }
 else {
 timerSeconds.Change(System.Threading.Timeout.Infinite, 0);
 }
 }
 } Ambient Mode / 2 Turn timer on in interactive mode off in ambient mode
  • 31. Configuration Activities WEARABLE_CONFIGURATION on Wear COMPANION_CONFIGURATION on Phone DataLayer API Listen for Data Item Events Write DataItems to URI Paths
  • 32. void SaveStepCountStatus(GoogleApiClient googleApiClient, bool stepCountOn) { var putDataMapRequest = PutDataMapRequest.Create("/xfit_watchface"); putDataMapRequest.DataMap.PutBoolean("stepcount", stepCountOn); var putDataRequest = putDataMapRequest.AsPutDataRequest(); putDataRequest.SetUrgent(); WearableClass.DataApi.PutDataItem(googleApiClient, putDataRequest); } Syncing configuration /1
  • 33. void SaveStepCountStatus(GoogleApiClient googleApiClient, bool stepCountOn) { var putDataMapRequest = PutDataMapRequest.Create("/xfit_watchface"); putDataMapRequest.DataMap.PutBoolean("stepcount", stepCountOn); var putDataRequest = putDataMapRequest.AsPutDataRequest(); putDataRequest.SetUrgent(); WearableClass.DataApi.PutDataItem(googleApiClient, putDataRequest); } Syncing configuration /1 URI Path Data Item Key Sync now
  • 34. void OnDataChanged(DataEventBuffer dataEvents) { foreach (var dataEvent in dataEvents) { var dataItem = dataEvent.DataItem; if (dataItem.Uri.Path == "/xfit_watchface") { var dataMap = DataMapItem.FromDataItem(dataItem).DataMap; displayStepCount = dataMap.GetBoolean(“stepcount”); Invalidate(); // force redraw } } } Syncing configuration /2
  • 35. void OnDataChanged(DataEventBuffer dataEvents) { foreach (var dataEvent in dataEvents) { var dataItem = dataEvent.DataItem; if (dataItem.Uri.Path == "/xfit_watchface") { var dataMap = DataMapItem.FromDataItem(dataItem).DataMap; displayStepCount = dataMap.GetBoolean(“stepcount”); Invalidate(); // force redraw } } } Implements IDataApiDataListener Syncing configuration /2 URI Path Data Item Key
  • 36. Watch face drawing code GoogleAPIClient code Configuration code Reading the step count code 1 2 3 4
  • 38. Partial Classes XFitWatchfaceService XFitWatchFaceEngine (Drawing Code) XFitWatchFaceEngine (Config Code) XFitWatchFaceEngine (Google API Client Code) XFitWatchFaceEngine (Step Count Code) XFitWatchFaceEngine
  • 39. Partial Classes XFitWatchfaceService XFitWatchFaceEngine (Drawing Code) XFitWatchFaceEngine (Config Code) XFitWatchFaceEngine (Google API Client Code) XFitWatchFaceEngine (Step Count Code) XFitWatchFaceEngine [Service(Label = "XFit Watchface 4", Permission = "android.permission.BIND_WALLPAPER")]
 [IntentFilter(new[] { "android.service.wallpaper.WallpaperService" }, Categories = new[] { "com.google.android.wearable.watchface.category.WATCH_FACE" })]
 public partial class XFitWatchfaceService: CanvasWatchFaceService
 {
 
 public override WallpaperService.Engine OnCreateEngine()
 {
 return new XFitWatchfaceEngine(this);
 }
 
 partial class XFitWatchfaceEngine : Engine
 { // drawing code
 } } XFitWatchfaceService.cs (Drawing Code)
  • 40. Partial Classes XFitWatchfaceService XFitWatchFaceEngine (Drawing Code) XFitWatchFaceEngine (Config Code) XFitWatchFaceEngine (Google API Client Code) XFitWatchFaceEngine (Step Count Code) XFitWatchFaceEngine [MetaData( "com.google.android.wearable.watchface.wearableConfigurationAction", Value = "XFitWatchface.CONFIG")]
 [MetaData( "com.google.android.wearable.watchface.companionConfigurationAction", Value = "XFitWatchface.CONFIG")] public partial class XFitWatchfaceService : CanvasWatchFaceService
 {
 
 partial class XFitWatchfaceEngine : Engine, IDataApiDataListener
 {
 void ConnectWatchfaceConfigUpdates() {
 }
 }
 }
 XFitWatchfaceServiceConfig.cs (Config Code)
  • 41. Partial Classes XFitWatchfaceService XFitWatchFaceEngine (Drawing Code) XFitWatchFaceEngine (Config Code) XFitWatchFaceEngine (Google API Client Code) XFitWatchFaceEngine (Step Count Code) XFitWatchFaceEngine public partial class XFitWatchfaceService : CanvasWatchFaceService
 {
 
 partial class XFitWatchfaceEngine : Engine
 {
 GoogleApiClient googleApiClient;
 
 void ConnectGoogleApiClient()
 {
 googleApiClient = new GoogleApiClient.Builder(owner) .AddApi(FitnessClass.HISTORY_API)
 .AddApi(FitnessClass.RECORDING_API)
 .AddApi(WearableClass.API) .Build(); googleApiClient.Connect();
 }
 }
 } XFitWatchfaceServiceGoogleApiClient.cs (Google API Client)
  • 44. Activity Read/Write Body Read/Write Location Read/Write Nutrition Read/Write
  • 45. Sleep Duration & Type Calories Consumed, Macronutrients Height, Weight, BMI, Body Fat % Heart Rate Distance Traveled Steps Calories Burned Activity Segments (walking, running, biking) Gym Activities ACTIVITY NUTRITION BODY SLEEP
  • 47. SENSORS API Find all sensors, both on and off-device FindDataSources (GoogleApiClient c, DataSourcesRequest r) Register for sensor data Add (GoogleApiClient c, SensorRequest r, IOnDataPointListener l); Unregister for sensor data Remove (GoogleApiClient c, IOnDataPointListener l);
  • 48. RECORDING API Stop recording data types/sources Unsubscribe (GoogleApiClient c, DataType t) Unsubscribe (GoogleApiClient c, DataSource s) What data is being recorded ListSubscriptions (GoogleApiClient c) Record from data types/sources Subscribe (GoogleApiClient c, DataType t) Subscribe (GoogleApiClient c, DataSource s)
  • 49. HISTORY API Manually add data InsertData (GoogleApiClient c, DataSet d) Remove data DeleteData (GoogleApiClient c, DeleteDataRequest r) Retrieve data void ReadData (GoogleApiClient c, DataReadRequest r)
  • 50. SESSIONS API Start recording a live session void StartSession(GoogleApiClient client, Session session); Stop recording a live session void StopSession (GoogleApiClient client, String identifier); Insert a session void InsertSession (GoogleApiClient client, SessionInsertRequest request)
  • 51. curl -H "Content-Type: application/json" -H "Authorization: Bearer $ACCESS_TOKEN" https://www.googleapis.com/fitness/v1/users/me/dataSources/ derived:com.google.step_count.delta:...:estimated_steps/ datasets/1438701040000000000-143930584000000000 REST API
  • 53. Create a GoogleApiClient Ensure device is recording steps Build an aggregated query Read and extract the data 1 2 3 4
  • 54. void BuildApiClient () { googleApiClient = new GoogleApiClient.Builder (this) .AddApi (FitnessClass.HISTORY_API) .AddApi (FitnessClass.RECORDING_API) .AddScope (FitnessClass.ScopeActivityReadWrite) .EnableAutoManage (this, AuthClientId, result => { // Unresolvable error, handle or fail silently }) .Build (); SubscribeToSteps (); ReadSteps (); } Read before connection established Auto manage connection Build API Client
  • 55. void SubscribeToSteps () { FitnessClass.RecordingApi.Subscribe (googleApiClient, TypeStepCountDelta) .SetResultCallback( (IResult result) => { if (!result.Status.IsSuccess) { // Error subscribing, handle } }); } Subscribing
  • 56. // Read step count deltas from the History API DataReadRequest DailyStepsForWeek() { long midnight = TimeUtility.MidnightLocalPosix (); long midnightWeekAgo = TimeUtility.DaysAgoPosix (midnight, 7); return new DataReadRequest.Builder () .Aggregate (DataType.TypeStepCountDelta, DataType.AggregateStepCountDelta) .BucketByTime (1, TimeUnit.Days) .SetTimeRange (midnightWeekAgo, midnight, TimeUnit.Milliseconds) .Build(); } Data Aggregation Data Read Request
  • 57. // Reads and extracts step data void ReadDailySteps () { DataReadRequest readRequest = RequestBuilder.DailyStepsForWeek (); FitnessClass.HistoryApi.ReadData (googleApiClient, readRequest) .SetResultCallback ( (IResult result) => { IList<Bucket> buckets = ((DataReadResult)result).Buckets; foreach (var bucket in buckets) { var stepCount = bucket.DataSets.Sum(dataSet => dataSet.DataPoints.Sum (dp => dp.DataType.Fields.Sum (f => dp.GetValue (f).AsInt()))); Log.Info (Tag, $"Step Count: {stepCount}"); } }); } Reading Data Extracting Data Read Daily Steps
  • 59. // Writing data googleApiClient = new GoogleApiClient.Builder(context) .AddApi(...) .AddConnectionCallbacks( connectionHint => { // Connected! }, cause => { // Suspended } ).Build(); Writes require an established connection Writing Data
  • 61. Create a GoogleApiClient Ensure device is recording steps Build an aggregated query Read and extract the data 1 2 3 3
  • 62. Create a GoogleApiClient Ensure device is recording steps Read and extract the data 1 2 2
  • 63. // All in one reading steps void AllInOne() { var client = new GoogleApiClient.Builder (this) .AddApi (FitnessClass.HISTORY_API) .UseDefaultAccount () .Build (); client.Connect (); FitnessClass.HistoryApi.ReadDailyTotal (client, TypeStepCountDelta) .SetResultCallback ( (IResult result) => { DataSet ds = ((DailyTotalResult) result).Total; int stepCount = ds.DataPoints.Sum ( dp => dp.DataType.Fields.Sum ( f => dp.GetValue (f).AsInt())); }); } Default Account Read Daily Total Read Today’s Steps