code
stringlengths
3
1.18M
language
stringclasses
1 value
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.app.AlertDialog; import android.content.Context; import android.content.DialogInterface; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Handler; import android.os.Message; import android.util.Log; /** * A utility class that can be used to delete all tracks and track points * from the provider, including asking for confirmation from the user via * a dialog. * * @author Leif Hendrik Wilden */ public class DeleteAllTracks extends Handler { private final Context context; private final Runnable done; public DeleteAllTracks(Context context, Runnable done) { this.context = context; this.done = done; } @Override public void handleMessage(Message msg) { super.handleMessage(msg); AlertDialog dialog = null; AlertDialog.Builder builder = new AlertDialog.Builder(context); builder.setMessage( context.getString(R.string.track_list_delete_all_confirm_message)); builder.setTitle(context.getString(R.string.generic_confirm_title)); builder.setIcon(android.R.drawable.ic_dialog_alert); builder.setPositiveButton(context.getString(R.string.generic_yes), new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialogInterface, int i) { dialogInterface.dismiss(); Log.w(Constants.TAG, "deleting all!"); MyTracksProviderUtils.Factory.get(context).deleteAllTracks(); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); // TODO: Go through data manager editor.putLong(context.getString(R.string.selected_track_key), -1); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); if (done != null) { Handler h = new Handler(); h.post(done); } } }); builder.setNegativeButton(context.getString(R.string.generic_no), new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialogInterface, int i) { dialogInterface.dismiss(); } }); dialog = builder.create(); dialog.show(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.io.file.SaveActivity; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.maps.mytracks.R; import android.app.AlertDialog; import android.app.Dialog; import android.content.ContentUris; import android.content.Context; import android.content.DialogInterface; import android.content.DialogInterface.OnClickListener; import android.content.Intent; import android.content.pm.PackageManager; import android.content.pm.ResolveInfo; import android.net.Uri; import java.util.List; /** * Utilities for playing a track on Google Earth. * * @author Jimmy Shih */ public class PlayTrackUtils { /** * KML mime type. */ public static final String KML_MIME_TYPE = "application/vnd.google-earth.kml+xml"; public static final String TOUR_FEATURE_ID = "com.google.earth.EXTRA.tour_feature_id"; public static final String GOOGLE_EARTH_PACKAGE = "com.google.earth"; public static final String GOOGLE_EARTH_CLASS = "com.google.earth.EarthActivity"; private static final String EARTN_MARKET_URI = "market://details?id=" + GOOGLE_EARTH_PACKAGE; private PlayTrackUtils() {} /** * Returns true if a Google Earth app that can handle KML mine type is * installed. * * @param context the context */ public static boolean isEarthInstalled(Context context) { List<ResolveInfo> infos = context.getPackageManager().queryIntentActivities( new Intent().setType(KML_MIME_TYPE), PackageManager.MATCH_DEFAULT_ONLY); for (ResolveInfo info : infos) { if (info.activityInfo != null && info.activityInfo.packageName != null && info.activityInfo.packageName.equals(GOOGLE_EARTH_PACKAGE)) { return true; } } return false; } /** * Plays a track by sending an intent to {@link SaveActivity}. * * @param context the context * @param trackId the track id */ public static void playTrack(Context context, long trackId) { AnalyticsUtils.sendPageViews(context, "/action/play"); Uri uri = ContentUris.withAppendedId(TracksColumns.CONTENT_URI, trackId); Intent intent = new Intent(context, SaveActivity.class) .putExtra(SaveActivity.EXTRA_FILE_FORMAT, TrackFileFormat.KML.ordinal()) .putExtra(SaveActivity.EXTRA_PLAY_FILE, true) .setAction(context.getString(R.string.track_action_save)) .setDataAndType(uri, TracksColumns.CONTENT_ITEMTYPE); context.startActivity(intent); } /** * Creates a dialog to install Google Earth from the Android Market. * * @param context the context */ public static Dialog createInstallEarthDialog(final Context context) { return new AlertDialog.Builder(context) .setCancelable(true) .setMessage(R.string.track_list_play_install_earth_message) .setNegativeButton(android.R.string.cancel, null) .setPositiveButton(android.R.string.ok, new OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { Intent intent = new Intent(); intent.setData(Uri.parse(EARTN_MARKET_URI)); context.startActivity(intent); } }) .create(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.services.sensors.BluetoothConnectionManager; import android.bluetooth.BluetoothDevice; import android.bluetooth.BluetoothSocket; import android.util.Log; import java.io.IOException; /** * API level 10 specific implementation of the {@link ApiAdapter}. * * @author Jimmy Shih */ public class Api10Adapter extends Api9Adapter { @Override public BluetoothSocket getBluetoothSocket(BluetoothDevice bluetoothDevice) throws IOException { try { return bluetoothDevice.createInsecureRfcommSocketToServiceRecord( BluetoothConnectionManager.SPP_UUID); } catch (IOException e) { Log.d(Constants.TAG, "Unable to create insecure connection", e); } return bluetoothDevice.createRfcommSocketToServiceRecord(BluetoothConnectionManager.SPP_UUID); }; }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.common.annotations.VisibleForTesting; import android.os.Environment; import java.io.File; /** * Utilities for dealing with files. * * @author Rodrigo Damazio */ public class FileUtils { /** * The maximum FAT32 path length. See the FAT32 spec at * http://msdn.microsoft.com/en-us/windows/hardware/gg463080 */ @VisibleForTesting static final int MAX_FAT32_PATH_LENGTH = 260; /** * Builds a path inside the My Tracks directory in the SD card. * * @param components the path components inside the mytracks directory * @return the full path to the destination */ public String buildExternalDirectoryPath(String... components) { StringBuilder dirNameBuilder = new StringBuilder(); dirNameBuilder.append(Environment.getExternalStorageDirectory()); dirNameBuilder.append(File.separatorChar); dirNameBuilder.append(Constants.SDCARD_TOP_DIR); for (String component : components) { dirNameBuilder.append(File.separatorChar); dirNameBuilder.append(component); } return dirNameBuilder.toString(); } /** * Returns whether the SD card is available. */ public boolean isSdCardAvailable() { return Environment.MEDIA_MOUNTED.equals( Environment.getExternalStorageState()); } /** * Ensures the given directory exists by creating it and its parents if * necessary. * * @return whether the directory exists (either already existed or was * successfully created) */ public boolean ensureDirectoryExists(File dir) { if (dir.exists() && dir.isDirectory()) { return true; } if (dir.mkdirs()) { return true; } return false; } /** * Builds a filename with the given base name (prefix) and the given * extension, possibly adding a suffix to ensure the file doesn't exist. * * @param directory the directory the file will live in * @param fileBaseName the prefix for the file name * @param extension the file's extension * @return the complete file name, without the directory */ public synchronized String buildUniqueFileName(File directory, String fileBaseName, String extension) { return buildUniqueFileName(directory, fileBaseName, extension, 0); } /** * Builds a filename with the given base and the given extension, possibly * adding a suffix to ensure the file doesn't exist. * * @param directory the directory the filename will be located in * @param base the base for the filename * @param extension the extension for the filename * @param suffix the first numeric suffix to try to use, or 0 for none * @return the complete filename, without the directory */ private String buildUniqueFileName(File directory, String base, String extension, int suffix) { String suffixName = ""; if (suffix > 0) { suffixName += "(" + Integer.toString(suffix) + ")"; } suffixName += "." + extension; String baseName = sanitizeFileName(base); baseName = truncateFileName(directory, baseName, suffixName); String fullName = baseName + suffixName; if (!fileExists(directory, fullName)) { return fullName; } return buildUniqueFileName(directory, base, extension, suffix + 1); } /** * Sanitizes the name as a valid fat32 filename. For simplicity, fat32 * filename characters may be any combination of letters, digits, or * characters with code point values greater than 127. Replaces the invalid * characters with "_" and collapses multiple "_" together. * * @param name name */ @VisibleForTesting String sanitizeFileName(String name) { StringBuffer buffer = new StringBuffer(name.length()); for (int i = 0; i < name.length(); i++) { int codePoint = name.codePointAt(i); char character = name.charAt(i); if (Character.isLetterOrDigit(character) || codePoint > 127 || isSpecialFat32(character)) { buffer.appendCodePoint(codePoint); } else { buffer.append("_"); } } String result = buffer.toString(); return result.replaceAll("_+", "_"); } /** * Returns true if it is a special FAT32 character. * * @param character the character */ private boolean isSpecialFat32(char character) { switch (character) { case '$': case '%': case '\'': case '-': case '_': case '@': case '~': case '`': case '!': case '(': case ')': case '{': case '}': case '^': case '#': case '&': case '+': case ',': case ';': case '=': case '[': case ']': case ' ': return true; default: return false; } } /** * Truncates the name if necessary so the filename path length (directory + * name + suffix) meets the Fat32 path limit. * * @param directory directory * @param name name * @param suffix suffix */ @VisibleForTesting String truncateFileName(File directory, String name, String suffix) { // 1 at the end accounts for the FAT32 filename trailing NUL character int requiredLength = directory.getPath().length() + suffix.length() + 1; if (name.length() + requiredLength > MAX_FAT32_PATH_LENGTH) { int limit = MAX_FAT32_PATH_LENGTH - requiredLength; return name.substring(0, limit); } else { return name; } } /** * Checks whether a file with the given name exists in the given directory. * This is isolated so it can be overridden in tests. */ protected boolean fileExists(File directory, String fullName) { File file = new File(directory, fullName); return file.exists(); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import android.content.Context; import java.io.BufferedInputStream; import java.io.BufferedOutputStream; import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; import java.io.OutputStream; /** * Utility functions for android resources. * * @author Sandor Dornbush */ public class ResourceUtils { public static CharSequence readFile(Context activity, int id) { BufferedReader in = null; try { in = new BufferedReader(new InputStreamReader( activity.getResources().openRawResource(id))); String line; StringBuilder buffer = new StringBuilder(); while ((line = in.readLine()) != null) { buffer.append(line).append('\n'); } return buffer; } catch (IOException e) { return ""; } finally { if (in != null) { try { in.close(); } catch (IOException e) { // Ignore } } } } public static void readBinaryFileToOutputStream( Context activity, int id, OutputStream os) { BufferedInputStream in = null; BufferedOutputStream out = null; try { in = new BufferedInputStream( activity.getResources().openRawResource(id)); out = new BufferedOutputStream(os); int b; while ((b = in.read()) != -1) { out.write(b); } out.flush(); } catch (IOException e) { return; } finally { if (in != null) { try { in.close(); } catch (IOException e) { // Ignore } } if (out != null) { try { out.close(); } catch (IOException e) { // Ignore } } } } private ResourceUtils() { } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.maps.GeoPoint; /** * A rectangle in geographical space. */ public class GeoRect { public int top; public int left; public int bottom; public int right; public GeoRect() { top = 0; left = 0; bottom = 0; right = 0; } public GeoRect(GeoPoint center, int latSpan, int longSpan) { top = center.getLatitudeE6() - latSpan / 2; left = center.getLongitudeE6() - longSpan / 2; bottom = center.getLatitudeE6() + latSpan / 2; right = center.getLongitudeE6() + longSpan / 2; } public GeoPoint getCenter() { return new GeoPoint(top / 2 + bottom / 2, left / 2 + right / 2); } public int getLatSpan() { return bottom - top; } public int getLongSpan() { return right - left; } public boolean contains(GeoPoint geoPoint) { if (geoPoint.getLatitudeE6() >= top && geoPoint.getLatitudeE6() <= bottom && geoPoint.getLongitudeE6() >= left && geoPoint.getLongitudeE6() <= right) { return true; } return false; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import android.os.Build; /** * A factory to get the {@link ApiAdapter} for the current device. * * @author Rodrigo Damazio */ public class ApiAdapterFactory { private static ApiAdapter apiAdapter; /** * Gets the {@link ApiAdapter} for the current device. */ public static ApiAdapter getApiAdapter() { if (apiAdapter == null) { if (Build.VERSION.SDK_INT >= 10) { apiAdapter = new Api10Adapter(); return apiAdapter; } else if (Build.VERSION.SDK_INT >= 9) { apiAdapter = new Api9Adapter(); return apiAdapter; } else if (Build.VERSION.SDK_INT >= 8) { apiAdapter = new Api8Adapter(); return apiAdapter; } else { apiAdapter = new Api7Adapter(); return apiAdapter; } } return apiAdapter; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import android.bluetooth.BluetoothAdapter; import android.bluetooth.BluetoothClass; import android.bluetooth.BluetoothDevice; import java.util.List; import java.util.Set; /** * Utilities for dealing with bluetooth devices. * * @author Rodrigo Damazio */ public class BluetoothDeviceUtils { private BluetoothDeviceUtils() {} /** * Populates the device names and the device addresses with all the suitable * bluetooth devices. * * @param bluetoothAdapter the bluetooth adapter * @param deviceNames list of device names * @param deviceAddresses list of device addresses */ public static void populateDeviceLists( BluetoothAdapter bluetoothAdapter, List<String> deviceNames, List<String> deviceAddresses) { // Ensure the bluetooth adapter is not in discovery mode. bluetoothAdapter.cancelDiscovery(); Set<BluetoothDevice> pairedDevices = bluetoothAdapter.getBondedDevices(); for (BluetoothDevice device : pairedDevices) { BluetoothClass bluetoothClass = device.getBluetoothClass(); if (bluetoothClass != null) { // Not really sure what we want, but I know what we don't want. switch (bluetoothClass.getMajorDeviceClass()) { case BluetoothClass.Device.Major.COMPUTER: case BluetoothClass.Device.Major.PHONE: break; default: deviceAddresses.add(device.getAddress()); deviceNames.add(device.getName()); } } } } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.services.sensors.BluetoothConnectionManager; import com.google.android.apps.mytracks.services.tasks.PeriodicTask; import com.google.android.apps.mytracks.services.tasks.StatusAnnouncerTask; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.apache.ApacheHttpTransport; import android.bluetooth.BluetoothDevice; import android.bluetooth.BluetoothSocket; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.util.Log; import java.io.IOException; import java.lang.reflect.InvocationTargetException; import java.lang.reflect.Method; /** * API level 7 specific implementation of the {@link ApiAdapter}. * * @author Bartlomiej Niechwiej */ public class Api7Adapter implements ApiAdapter { @Override public PeriodicTask getStatusAnnouncerTask(Context context) { return new StatusAnnouncerTask(context); } @Override public BackupPreferencesListener getBackupPreferencesListener(Context context) { return new BackupPreferencesListener() { @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { // Do nothing } }; } @Override public void applyPreferenceChanges(Editor editor) { editor.commit(); } @Override public void enableStrictMode() { // Not supported } @Override public byte[] copyByteArray(byte[] input, int start, int end) { int length = end - start; byte[] output = new byte[length]; System.arraycopy(input, start, output, 0, length); return output; } @Override public HttpTransport getHttpTransport() { return new ApacheHttpTransport(); } @Override public BluetoothSocket getBluetoothSocket(BluetoothDevice bluetoothDevice) throws IOException { try { Class<? extends BluetoothDevice> c = bluetoothDevice.getClass(); Method insecure = c.getMethod("createInsecureRfcommSocket", Integer.class); insecure.setAccessible(true); return (BluetoothSocket) insecure.invoke(bluetoothDevice, 1); } catch (SecurityException e) { Log.d(Constants.TAG, "Unable to create insecure connection", e); } catch (NoSuchMethodException e) { Log.d(Constants.TAG, "Unable to create insecure connection", e); } catch (IllegalArgumentException e) { Log.d(Constants.TAG, "Unable to create insecure connection", e); } catch (IllegalAccessException e) { Log.d(Constants.TAG, "Unable to create insecure connection", e); } catch (InvocationTargetException e) { Log.d(Constants.TAG, "Unable to create insecure connection", e); } return bluetoothDevice.createRfcommSocketToServiceRecord(BluetoothConnectionManager.SPP_UUID); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; /** * Unit conversion constants. * * @author Sandor Dornbush */ public class UnitConversions { private UnitConversions() {} // multiplication factor to convert kilometers to miles public static final double KM_TO_MI = 0.621371192; // multiplication factor to convert miles to kilometers public static final double MI_TO_KM = 1 / KM_TO_MI; // multiplication factor to convert miles to feet public static final double MI_TO_FT = 5280.0; // multiplication factor to convert feet to miles public static final double FT_TO_MI = 1 / MI_TO_FT; // multiplication factor to convert meters to kilometers public static final double M_TO_KM = 1 / 1000.0; // multiplication factor to convert meters per second to kilometers per hour public static final double MS_TO_KMH = 3.6; // multiplication factor to convert meters to miles public static final double M_TO_MI = M_TO_KM * KM_TO_MI; // multiplication factor to convert meters to feet public static final double M_TO_FT = M_TO_MI * MI_TO_FT; // multiplication factor to convert degrees to radians public static final double DEG_TO_RAD = Math.PI / 180.0; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.javanet.NetHttpTransport; import android.content.SharedPreferences.Editor; import android.os.StrictMode; import android.util.Log; import java.util.Arrays; /** * API level 9 specific implementation of the {@link ApiAdapter}. * * @author Rodrigo Damazio */ public class Api9Adapter extends Api8Adapter { @Override public void applyPreferenceChanges(Editor editor) { // Apply asynchronously editor.apply(); } @Override public void enableStrictMode() { Log.d(Constants.TAG, "Enabling strict mode"); StrictMode.setThreadPolicy(new StrictMode.ThreadPolicy.Builder() .detectDiskWrites() .detectNetwork() .penaltyLog() .build()); StrictMode.setVmPolicy(new StrictMode.VmPolicy.Builder() .detectAll() .penaltyLog() .build()); } @Override public byte[] copyByteArray(byte[] input, int start, int end) { return Arrays.copyOfRange(input, start, end); } @Override public HttpTransport getHttpTransport() { return new NetHttpTransport(); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.maps.mytracks.R; import android.content.Context; import android.text.TextUtils; import android.text.format.DateUtils; import java.text.ParsePosition; import java.text.SimpleDateFormat; import java.util.Date; import java.util.TimeZone; import java.util.regex.Matcher; import java.util.regex.Pattern; /** * Various string manipulation methods. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public class StringUtils { private static final SimpleDateFormat ISO_8601_DATE_TIME_FORMAT = new SimpleDateFormat( "yyyy-MM-dd'T'HH:mm:ss.SSS'Z'"); private static final SimpleDateFormat ISO_8601_BASE = new SimpleDateFormat( "yyyy-MM-dd'T'HH:mm:ss"); private static final Pattern ISO_8601_EXTRAS = Pattern.compile( "^(\\.\\d+)?(?:Z|([+-])(\\d{2}):(\\d{2}))?$"); static { ISO_8601_DATE_TIME_FORMAT.setTimeZone(TimeZone.getTimeZone("UTC")); ISO_8601_BASE.setTimeZone(TimeZone.getTimeZone("UTC")); } private StringUtils() {} /** * Formats the time based on user's phone date/time preferences. * * @param context the context * @param time the time in milliseconds */ public static String formatTime(Context context, long time) { return android.text.format.DateFormat.getTimeFormat(context).format(time); } /** * Formats the date and time based on user's phone date/time preferences. * * @param context the context * @param time the time in milliseconds */ public static String formatDateTime(Context context, long time) { return android.text.format.DateFormat.getDateFormat(context).format(time) + " " + formatTime(context, time); } /** * Formats the time using the ISO 8601 date time format with fractional * seconds in UTC time zone. * * @param time the time in milliseconds */ public static String formatDateTimeIso8601(long time) { return ISO_8601_DATE_TIME_FORMAT.format(time); } /** * Formats the elapsed timed in the form "MM:SS" or "H:MM:SS". * * @param time the time in milliseconds */ public static String formatElapsedTime(long time) { return DateUtils.formatElapsedTime(time / 1000); } /** * Formats the elapsed time in the form "H:MM:SS". * * @param time the time in milliseconds */ public static String formatElapsedTimeWithHour(long time) { String value = formatElapsedTime(time); return TextUtils.split(value, ":").length == 2 ? "0:" + value : value; } /** * Formats the distance. * * @param context the context * @param distance the distance in meters * @param metric true to use metric. False to use imperial */ public static String formatDistance(Context context, double distance, boolean metric) { if (metric) { if (distance > 2000.0) { distance *= UnitConversions.M_TO_KM; return context.getString(R.string.value_float_kilometer, distance); } else { return context.getString(R.string.value_float_meter, distance); } } else { if (distance * UnitConversions.M_TO_MI > 2) { distance *= UnitConversions.M_TO_MI; return context.getString(R.string.value_float_mile, distance); } else { distance *= UnitConversions.M_TO_FT; return context.getString(R.string.value_float_feet, distance); } } } /** * Formats the speed. * * @param context the context * @param speed the speed in meters per second * @param metric true to use metric. False to use imperial * @param reportSpeed true to report as speed. False to report as pace */ public static String formatSpeed( Context context, double speed, boolean metric, boolean reportSpeed) { if (Double.isNaN(speed) || Double.isInfinite(speed)) { return context.getString(R.string.value_unknown); } if (metric) { speed = speed * UnitConversions.MS_TO_KMH; if (reportSpeed) { return context.getString(R.string.value_float_kilometer_hour, speed); } else { double paceInMinute = speed == 0 ? 0.0 : 60 / speed; return context.getString(R.string.value_float_minute_kilometer, paceInMinute); } } else { speed = speed * UnitConversions.MS_TO_KMH * UnitConversions.KM_TO_MI; if (reportSpeed) { return context.getString(R.string.value_float_mile_hour, speed); } else { double paceInMinute = speed == 0 ? 0.0 : 60 / speed; return context.getString(R.string.value_float_minute_mile, paceInMinute); } } } /** * Formats the elapsed time and distance. * * @param context the context * @param elapsedTime the elapsed time in milliseconds * @param distance the distance in meters * @param metric true to use metric. False to use imperial */ public static String formatTimeDistance( Context context, long elapsedTime, double distance, boolean metric) { return formatElapsedTime(elapsedTime) + " " + formatDistance(context, distance, metric); } /** * Formats the given text as a XML CDATA element. This includes adding the * starting and ending CDATA tags. Please notice that this may result in * multiple consecutive CDATA tags. * * @param text the given text */ public static String formatCData(String text) { return "<![CDATA[" + text.replaceAll("]]>", "]]]]><![CDATA[>") + "]]>"; } /** * Gets the time, in milliseconds, from an XML date time string as defined at * http://www.w3.org/TR/xmlschema-2/#dateTime * * @param xmlDateTime the XML date time string */ public static long getTime(String xmlDateTime) { // Parse the date time base ParsePosition position = new ParsePosition(0); Date date = ISO_8601_BASE.parse(xmlDateTime, position); if (date == null) { throw new IllegalArgumentException("Invalid XML dateTime value: " + xmlDateTime + " (at position " + position.getErrorIndex() + ")"); } // Parse the date time extras Matcher matcher = ISO_8601_EXTRAS.matcher(xmlDateTime.substring(position.getIndex())); if (!matcher.matches()) { // This will match even an empty string as all groups are optional. Thus a // non-match means invalid content. throw new IllegalArgumentException("Invalid XML dateTime value: " + xmlDateTime); } long time = date.getTime(); // Account for fractional seconds String fractional = matcher.group(1); if (fractional != null) { // Regex ensures fractional part is in (0,1) float fractionalSeconds = Float.parseFloat(fractional); long fractionalMillis = (long) (fractionalSeconds * 1000.0f); time += fractionalMillis; } // Account for timezones String sign = matcher.group(2); String offsetHoursStr = matcher.group(3); String offsetMinsStr = matcher.group(4); if (sign != null && offsetHoursStr != null && offsetMinsStr != null) { // Regex ensures sign is + or - boolean plusSign = sign.equals("+"); int offsetHours = Integer.parseInt(offsetHoursStr); int offsetMins = Integer.parseInt(offsetMinsStr); // Regex ensures values are >= 0 if (offsetHours > 14 || offsetMins > 59) { throw new IllegalArgumentException("Bad timezone: " + xmlDateTime); } long totalOffsetMillis = (offsetMins + offsetHours * 60L) * 60000L; // Convert to UTC if (plusSign) { time -= totalOffsetMillis; } else { time += totalOffsetMillis; } } return time; } /** * Gets the time as an array of three integers. Index 0 contains the number of * seconds, index 1 contains the number of minutes, and index 2 contains the * number of hours. * * @param time the time in milliseconds * @return an array of 3 elements. */ public static int[] getTimeParts(long time) { if (time < 0) { int[] parts = getTimeParts(time * -1); parts[0] *= -1; parts[1] *= -1; parts[2] *= -1; return parts; } int[] parts = new int[3]; long seconds = time / 1000; parts[0] = (int) (seconds % 60); int minutes = (int) (seconds / 60); parts[1] = minutes % 60; parts[2] = minutes / 60; return parts; } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import java.util.Vector; /** * This class will generate google chart server url's. * * @author Sandor Dornbush */ public class ChartURLGenerator { private static final String CHARTS_BASE_URL = "http://chart.apis.google.com/chart?"; private ChartURLGenerator() { } /** * Gets a chart of a track. * * @param distances An array of distance measurements * @param elevations A matching array of elevation measurements * @param track The track for this chart * @param context The current appplication context */ public static String getChartUrl(Vector<Double> distances, Vector<Double> elevations, Track track, Context context) { SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean metricUnits = true; if (preferences != null) { metricUnits = preferences.getBoolean( context.getString(R.string.metric_units_key), true); } return getChartUrl(distances, elevations, track, context.getString(R.string.stat_elevation), metricUnits); } /** * Gets a chart of a track. * This form is for testing without contexts. * * @param distances An array of distance measurements * @param elevations A matching array of elevation measurements * @param track The track for this chart * @param title The title for the chart * @param metricUnits Should the data be displayed in metric units */ public static String getChartUrl( Vector<Double> distances, Vector<Double> elevations, Track track, String title, boolean metricUnits) { if (distances == null || elevations == null || track == null) { return null; } if (distances.size() != elevations.size()) { return null; } // Round it up. TripStatistics stats = track.getStatistics(); double effectiveMaxY = metricUnits ? stats.getMaxElevation() : stats.getMaxElevation() * UnitConversions.M_TO_FT; effectiveMaxY = ((int) (effectiveMaxY / 100)) * 100 + 100; // Round it down. double effectiveMinY = 0; double minElevation = metricUnits ? stats.getMinElevation() : stats.getMinElevation() * UnitConversions.M_TO_FT; effectiveMinY = ((int) (minElevation / 100)) * 100; if (stats.getMinElevation() < 0) { effectiveMinY -= 100; } double ySpread = effectiveMaxY - effectiveMinY; StringBuilder sb = new StringBuilder(CHARTS_BASE_URL); sb.append("&chs=600x350"); sb.append("&cht=lxy"); // Title sb.append("&chtt="); sb.append(title); // Labels sb.append("&chxt=x,y"); double distKM = stats.getTotalDistance() * UnitConversions.M_TO_KM; double distDisplay = metricUnits ? distKM : (distKM * UnitConversions.KM_TO_MI); int xInterval = ((int) (distDisplay / 6)); int yInterval = ((int) (ySpread / 600)) * 100; if (yInterval < 100) { yInterval = 25; } // Range sb.append("&chxr=0,0,"); sb.append((int) distDisplay); sb.append(','); sb.append(xInterval); sb.append("|1,"); sb.append(effectiveMinY); sb.append(','); sb.append(effectiveMaxY); sb.append(','); sb.append(yInterval); // Line color sb.append("&chco=009A00"); // Fill sb.append("&chm=B,00AA00,0,0,0"); // Grid lines double desiredGrids = ySpread / yInterval; sb.append("&chg=100000,"); sb.append(100.0 / desiredGrids); sb.append(",1,0"); // Data sb.append("&chd=e:"); for (int i = 0; i < distances.size(); i++) { int normalized = (int) (getNormalizedDistance(distances.elementAt(i), track) * 4095); sb.append(ChartsExtendedEncoder.getEncodedValue(normalized)); } sb.append(ChartsExtendedEncoder.getSeparator()); for (int i = 0; i < elevations.size(); i++) { int normalized = (int) (getNormalizedElevation( elevations.elementAt(i), effectiveMinY, ySpread) * 4095); sb.append(ChartsExtendedEncoder.getEncodedValue(normalized)); } return sb.toString(); } private static double getNormalizedDistance(double d, Track track) { return d / track.getStatistics().getTotalDistance(); } private static double getNormalizedElevation( double d, double effectiveMinY, double ySpread) { return (d - effectiveMinY) / ySpread; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.maps.mytracks.R; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface.OnClickListener; /** * Utilities for creating dialogs. * * @author Jimmy Shih */ public class DialogUtils { private DialogUtils() {} /** * Creates a confirmation dialog. * * @param context the context * @param messageId the id of the confirmation message * @param onClickListener the listener to invoke when the users clicks OK */ public static Dialog createConfirmationDialog( Context context, int messageId, OnClickListener onClickListener) { return new AlertDialog.Builder(context) .setCancelable(true) .setIcon(android.R.drawable.ic_dialog_alert) .setMessage(messageId) .setNegativeButton(android.R.string.cancel, null) .setPositiveButton(android.R.string.ok, onClickListener) .setTitle(R.string.generic_confirm_title) .create(); } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import android.net.Uri; import java.util.List; /** * Utilities for dealing with content and other types of URIs. * * @author Rodrigo Damazio */ public class UriUtils { public static boolean matchesContentUri(Uri uri, Uri baseContentUri) { if (uri == null) { return false; } // Check that scheme and authority are the same. if (!uri.getScheme().equals(baseContentUri.getScheme()) || !uri.getAuthority().equals(baseContentUri.getAuthority())) { return false; } // Checks that all the base path components are in the URI. List<String> uriPathSegments = uri.getPathSegments(); List<String> basePathSegments = baseContentUri.getPathSegments(); if (basePathSegments.size() > uriPathSegments.size()) { return false; } for (int i = 0; i < basePathSegments.size(); i++) { if (!uriPathSegments.get(i).equals(basePathSegments.get(i))) { return false; } } return true; } public static boolean isFileUri(Uri uri) { return "file".equals(uri.getScheme()); } private UriUtils() {} }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import android.app.Activity; import android.content.Context; import android.content.pm.PackageInfo; import android.content.pm.PackageManager; import android.content.pm.PackageManager.NameNotFoundException; import android.content.pm.Signature; import android.os.PowerManager; import android.os.PowerManager.WakeLock; import android.util.Log; /** * Utility class for acessing basic Android functionality. * * @author Rodrigo Damazio */ public class SystemUtils { private static final int RELEASE_SIGNATURE_HASHCODE = -1855564782; /** * Returns whether or not this is a release build. */ public static boolean isRelease(Context context) { try { Signature [] sigs = context.getPackageManager().getPackageInfo( context.getPackageName(), PackageManager.GET_SIGNATURES).signatures; for (Signature sig : sigs) { if (sig.hashCode() == RELEASE_SIGNATURE_HASHCODE) { return true; } } } catch (NameNotFoundException e) { Log.e(Constants.TAG, "Unable to get signatures", e); } return false; } /** * Get the My Tracks version from the manifest. * * @return the version, or an empty string in case of failure. */ public static String getMyTracksVersion(Context context) { try { PackageInfo pi = context.getPackageManager().getPackageInfo( "com.google.android.maps.mytracks", PackageManager.GET_META_DATA); return pi.versionName; } catch (NameNotFoundException e) { Log.w(Constants.TAG, "Failed to get version info.", e); return ""; } } /** * Tries to acquire a partial wake lock if not already acquired. Logs errors * and gives up trying in case the wake lock cannot be acquired. */ public static WakeLock acquireWakeLock(Activity activity, WakeLock wakeLock) { Log.i(Constants.TAG, "LocationUtils: Acquiring wake lock."); try { PowerManager pm = (PowerManager) activity .getSystemService(Context.POWER_SERVICE); if (pm == null) { Log.e(Constants.TAG, "LocationUtils: Power manager not found!"); return wakeLock; } if (wakeLock == null) { wakeLock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, Constants.TAG); if (wakeLock == null) { Log.e(Constants.TAG, "LocationUtils: Could not create wake lock (null)."); } return wakeLock; } if (!wakeLock.isHeld()) { wakeLock.acquire(); if (!wakeLock.isHeld()) { Log.e(Constants.TAG, "LocationUtils: Could not acquire wake lock."); } } } catch (RuntimeException e) { Log.e(Constants.TAG, "LocationUtils: Caught unexpected exception: " + e.getMessage(), e); } return wakeLock; } private SystemUtils() {} }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.analytics.GoogleAnalyticsTracker; import com.google.android.maps.mytracks.R; import android.content.Context; /** * Utitlites for sending pageviews to Google Analytics. * * @author Jimmy Shih */ public class AnalyticsUtils { private AnalyticsUtils() {} public static void sendPageViews(Context context, String ... pages) { GoogleAnalyticsTracker tracker = GoogleAnalyticsTracker.getInstance(); tracker.start(context.getString(R.string.my_tracks_analytics_id), context); tracker.setProductVersion("android-mytracks", SystemUtils.getMyTracksVersion(context)); for (String page : pages) { tracker.trackPageView(page); } tracker.dispatch(); tracker.stop(); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import java.util.Calendar; /** * Utilities for EULA. */ public class EulaUtils { private static final String EULA_PREFERENCE_FILE = "eula"; // Accepting Google mobile terms of service private static final String EULA_PREFERENCE_KEY = "eula.google_mobile_tos_accepted"; private static final String HOST_NAME = "m.google.com"; private EulaUtils() {} public static boolean getEulaValue(Context context) { SharedPreferences preferences = context.getSharedPreferences( EULA_PREFERENCE_FILE, Context.MODE_PRIVATE); return preferences.getBoolean(EULA_PREFERENCE_KEY, false); } public static void setEulaValue(Context context) { SharedPreferences preferences = context.getSharedPreferences( EULA_PREFERENCE_FILE, Context.MODE_PRIVATE); Editor editor = preferences.edit(); editor.putBoolean(EULA_PREFERENCE_KEY, true); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } public static String getEulaMessage(Context context) { String item1 = String.format(context.getString(R.string.eula_message_item1), HOST_NAME, HOST_NAME, HOST_NAME, HOST_NAME, HOST_NAME); String item3 = String.format(context.getString(R.string.eula_message_item3), HOST_NAME); String footer = String.format(context.getString(R.string.eula_message_footer), HOST_NAME); String copyright = "©" + Calendar.getInstance().get(Calendar.YEAR); return context.getString(R.string.eula_message_date) + "\n\n" + context.getString(R.string.eula_message_header) + "\n\n" + context.getString(R.string.eula_message_body) + "\n\n" + "1. " + item1 + "\n\n" + "2. " + context.getString(R.string.eula_message_item2) + "\n\n" + "3. " + item3 + "\n\n" + "4. " + context.getString(R.string.eula_message_item4) + "\n\n" + footer + "\n\n" + copyright; } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.maps.GeoPoint; import android.location.Location; import android.util.Log; import java.util.ArrayList; import java.util.List; import java.util.Stack; /** * Utility class for decimating tracks at a given level of precision. * * @author Leif Hendrik Wilden */ public class LocationUtils { /** * Computes the distance on the two sphere between the point c0 and the line * segment c1 to c2. * * @param c0 the first coordinate * @param c1 the beginning of the line segment * @param c2 the end of the lone segment * @return the distance in m (assuming spherical earth) */ public static double distance( final Location c0, final Location c1, final Location c2) { if (c1.equals(c2)) { return c2.distanceTo(c0); } final double s0lat = c0.getLatitude() * UnitConversions.DEG_TO_RAD; final double s0lng = c0.getLongitude() * UnitConversions.DEG_TO_RAD; final double s1lat = c1.getLatitude() * UnitConversions.DEG_TO_RAD; final double s1lng = c1.getLongitude() * UnitConversions.DEG_TO_RAD; final double s2lat = c2.getLatitude() * UnitConversions.DEG_TO_RAD; final double s2lng = c2.getLongitude() * UnitConversions.DEG_TO_RAD; double s2s1lat = s2lat - s1lat; double s2s1lng = s2lng - s1lng; final double u = ((s0lat - s1lat) * s2s1lat + (s0lng - s1lng) * s2s1lng) / (s2s1lat * s2s1lat + s2s1lng * s2s1lng); if (u <= 0) { return c0.distanceTo(c1); } if (u >= 1) { return c0.distanceTo(c2); } Location sa = new Location(""); sa.setLatitude(c0.getLatitude() - c1.getLatitude()); sa.setLongitude(c0.getLongitude() - c1.getLongitude()); Location sb = new Location(""); sb.setLatitude(u * (c2.getLatitude() - c1.getLatitude())); sb.setLongitude(u * (c2.getLongitude() - c1.getLongitude())); return sa.distanceTo(sb); } /** * Decimates the given locations for a given zoom level. This uses a * Douglas-Peucker decimation algorithm. * * @param tolerance in meters * @param locations input * @param decimated output */ public static void decimate(double tolerance, ArrayList<Location> locations, ArrayList<Location> decimated) { final int n = locations.size(); if (n < 1) { return; } int idx; int maxIdx = 0; Stack<int[]> stack = new Stack<int[]>(); double[] dists = new double[n]; dists[0] = 1; dists[n - 1] = 1; double maxDist; double dist = 0.0; int[] current; if (n > 2) { int[] stackVal = new int[] {0, (n - 1)}; stack.push(stackVal); while (stack.size() > 0) { current = stack.pop(); maxDist = 0; for (idx = current[0] + 1; idx < current[1]; ++idx) { dist = LocationUtils.distance( locations.get(idx), locations.get(current[0]), locations.get(current[1])); if (dist > maxDist) { maxDist = dist; maxIdx = idx; } } if (maxDist > tolerance) { dists[maxIdx] = maxDist; int[] stackValCurMax = {current[0], maxIdx}; stack.push(stackValCurMax); int[] stackValMaxCur = {maxIdx, current[1]}; stack.push(stackValMaxCur); } } } int i = 0; idx = 0; decimated.clear(); for (Location l : locations) { if (dists[idx] != 0) { decimated.add(l); i++; } idx++; } Log.d(Constants.TAG, "Decimating " + n + " points to " + i + " w/ tolerance = " + tolerance); } /** * Decimates the given track for the given precision. * * @param track a track * @param precision desired precision in meters */ public static void decimate(Track track, double precision) { ArrayList<Location> decimated = new ArrayList<Location>(); decimate(precision, track.getLocations(), decimated); track.setLocations(decimated); } /** * Limits number of points by dropping any points beyond the given number of * points. Note: That'll actually discard points. * * @param track a track * @param numberOfPoints maximum number of points */ public static void cut(Track track, int numberOfPoints) { ArrayList<Location> locations = track.getLocations(); while (locations.size() > numberOfPoints) { locations.remove(locations.size() - 1); } } /** * Splits a track in multiple tracks where each piece has less or equal than * maxPoints. * * @param track the track to split * @param maxPoints maximum number of points for each piece * @return a list of one or more track pieces */ public static ArrayList<Track> split(Track track, int maxPoints) { ArrayList<Track> result = new ArrayList<Track>(); final int nTotal = track.getLocations().size(); int n = 0; Track piece = null; do { piece = new Track(); TripStatistics pieceStats = piece.getStatistics(); piece.setId(track.getId()); piece.setName(track.getName()); piece.setDescription(track.getDescription()); piece.setCategory(track.getCategory()); List<Location> pieceLocations = piece.getLocations(); for (int i = n; i < nTotal && pieceLocations.size() < maxPoints; i++) { piece.addLocation(track.getLocations().get(i)); } int nPointsPiece = pieceLocations.size(); if (nPointsPiece >= 2) { pieceStats.setStartTime(pieceLocations.get(0).getTime()); pieceStats.setStopTime(pieceLocations.get(nPointsPiece - 1).getTime()); result.add(piece); } n += (pieceLocations.size() - 1); } while (n < nTotal && piece.getLocations().size() > 1); return result; } /** * Test if a given GeoPoint is valid, i.e. within physical bounds. * * @param geoPoint the point to be tested * @return true, if it is a physical location on earth. */ public static boolean isValidGeoPoint(GeoPoint geoPoint) { return Math.abs(geoPoint.getLatitudeE6()) < 90E6 && Math.abs(geoPoint.getLongitudeE6()) <= 180E6; } /** * Checks if a given location is a valid (i.e. physically possible) location * on Earth. Note: The special separator locations (which have latitude = * 100) will not qualify as valid. Neither will locations with lat=0 and lng=0 * as these are most likely "bad" measurements which often cause trouble. * * @param location the location to test * @return true if the location is a valid location. */ public static boolean isValidLocation(Location location) { return location != null && Math.abs(location.getLatitude()) <= 90 && Math.abs(location.getLongitude()) <= 180; } /** * Gets a location from a GeoPoint. * * @param p a GeoPoint * @return the corresponding location */ public static Location getLocation(GeoPoint p) { Location result = new Location(""); result.setLatitude(p.getLatitudeE6() / 1.0E6); result.setLongitude(p.getLongitudeE6() / 1.0E6); return result; } public static GeoPoint getGeoPoint(Location location) { return new GeoPoint((int) (location.getLatitude() * 1E6), (int) (location.getLongitude() * 1E6)); } /** * This is a utility class w/ only static members. */ private LocationUtils() { } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; /** * The singleton class representing the extended encoding of chart data. */ public class ChartsExtendedEncoder { // ChartServer data encoding in extended mode private static final String CHARTSERVER_EXTENDED_ENCODING_SEPARATOR = ","; private static final String CHARTSERVER_EXTENDED_ENCODING = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-."; private static final int CHARTSERVER_EXTENDED_SINGLE_CHARACTER_VALUES = CHARTSERVER_EXTENDED_ENCODING.length(); private static final String MISSING_POINT_EXTENDED_ENCODING = "__"; private ChartsExtendedEncoder() { } public static String getEncodedValue(int scaled) { int index1 = scaled / CHARTSERVER_EXTENDED_SINGLE_CHARACTER_VALUES; if (index1 < 0 || index1 >= CHARTSERVER_EXTENDED_SINGLE_CHARACTER_VALUES) { return MISSING_POINT_EXTENDED_ENCODING; } int index2 = scaled % CHARTSERVER_EXTENDED_SINGLE_CHARACTER_VALUES; if (index2 < 0 || index2 >= CHARTSERVER_EXTENDED_SINGLE_CHARACTER_VALUES) { return MISSING_POINT_EXTENDED_ENCODING; } return String.valueOf(CHARTSERVER_EXTENDED_ENCODING.charAt(index1)) + String.valueOf(CHARTSERVER_EXTENDED_ENCODING.charAt(index2)); } public static String getSeparator() { return CHARTSERVER_EXTENDED_ENCODING_SEPARATOR; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.services.tasks.PeriodicTask; import com.google.api.client.http.HttpTransport; import android.bluetooth.BluetoothDevice; import android.bluetooth.BluetoothSocket; import android.content.Context; import android.content.SharedPreferences; import java.io.IOException; /** * A set of methods that may be implemented differently depending on the Android * API level. * * @author Bartlomiej Niechwiej */ public interface ApiAdapter { /** * Gets a status announcer task. * <p> * Due to changes in API level 8. * * @param context the context */ public PeriodicTask getStatusAnnouncerTask(Context context); /** * Gets a {@link BackupPreferencesListener}. * <p> * Due to changes in API level 8. * * @param context the context */ public BackupPreferencesListener getBackupPreferencesListener(Context context); /** * Applies all the changes done to a given preferences editor. Changes may or * may not be applied immediately. * <p> * Due to changes in API level 9. * * @param editor the editor */ public void applyPreferenceChanges(SharedPreferences.Editor editor); /** * Enables strict mode where supported, only if this is a development build. * <p> * Due to changes in API level 9. */ public void enableStrictMode(); /** * Copies elements from an input byte array into a new byte array, from * indexes start (inclusive) to end (exclusive). The end index must be less * than or equal to the input length. * <p> * Due to changes in API level 9. * * @param input the input byte array * @param start the start index * @param end the end index * @return a new array containing elements from the input byte array. */ public byte[] copyByteArray(byte[] input, int start, int end); /** * Gets a {@link HttpTransport}. * <p> * Due to changes in API level 9. */ public HttpTransport getHttpTransport(); /** * Gets a {@link BluetoothSocket}. * <p> * Due to changes in API level 10. * * @param bluetoothDevice */ public BluetoothSocket getBluetoothSocket(BluetoothDevice bluetoothDevice) throws IOException; }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListenerImpl; import com.google.android.apps.mytracks.services.tasks.FroyoStatusAnnouncerTask; import com.google.android.apps.mytracks.services.tasks.PeriodicTask; import android.content.Context; /** * API level 8 specific implementation of the {@link ApiAdapter}. * * @author Jimmy Shih */ public class Api8Adapter extends Api7Adapter { @Override public PeriodicTask getStatusAnnouncerTask(Context context) { return new FroyoStatusAnnouncerTask(context); } @Override public BackupPreferencesListener getBackupPreferencesListener(Context context) { return new BackupPreferencesListenerImpl(context); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.io.backup.BackupActivityHelper; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.services.sensors.ant.AntUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.BluetoothDeviceUtils; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import android.app.Dialog; import android.bluetooth.BluetoothAdapter; import android.content.DialogInterface; import android.content.DialogInterface.OnClickListener; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.preference.CheckBoxPreference; import android.preference.EditTextPreference; import android.preference.ListPreference; import android.preference.Preference; import android.preference.Preference.OnPreferenceChangeListener; import android.preference.Preference.OnPreferenceClickListener; import android.preference.PreferenceActivity; import android.preference.PreferenceCategory; import android.preference.PreferenceManager; import android.preference.PreferenceScreen; import android.provider.Settings; import android.speech.tts.TextToSpeech; import android.util.Log; import android.widget.Toast; import java.util.ArrayList; import java.util.HashSet; import java.util.List; import java.util.Set; /** * An activity that let's the user see and edit the settings. * * @author Leif Hendrik Wilden * @author Rodrigo Damazio */ public class SettingsActivity extends PreferenceActivity { private static final int DIALOG_CONFIRM_RESET = 0; private static final int DIALOG_CONFIRM_ACCESS = 1; // Value when the task frequency is off. private static final String TASK_FREQUENCY_OFF = "0"; // Value when the recording interval is 'Adapt battery life'. private static final String RECORDING_INTERVAL_ADAPT_BATTERY_LIFE = "-2"; // Value when the recording interval is 'Adapt accuracy'. private static final String RECORDING_INTERVAL_ADAPT_ACCURACY = "-1"; // Value for the recommended recording interval. private static final String RECORDING_INTERVAL_RECOMMENDED = "0"; // Value when the auto resume timeout is never. private static final String AUTO_RESUME_TIMEOUT_NEVER = "0"; // Value when the auto resume timeout is always. private static final String AUTO_RESUME_TIMEOUT_ALWAYS = "-1"; // Value for the recommended recording distance. private static final String RECORDING_DISTANCE_RECOMMENDED = "5"; // Value for the recommended track distance. private static final String TRACK_DISTANCE_RECOMMENDED = "200"; // Value for the recommended GPS accuracy. private static final String GPS_ACCURACY_RECOMMENDED = "200"; // Value when the GPS accuracy is for excellent GPS signal. private static final String GPS_ACCURACY_EXCELLENT = "10"; // Value when the GPS accuracy is for poor GPS signal. private static final String GPS_ACCURACY_POOR = "5000"; private BackupPreferencesListener backupListener; private SharedPreferences preferences; /** Called when the activity is first created. */ @Override protected void onCreate(Bundle icicle) { super.onCreate(icicle); // The volume we want to control is the Text-To-Speech volume setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); // Tell it where to read/write preferences PreferenceManager preferenceManager = getPreferenceManager(); preferenceManager.setSharedPreferencesName(Constants.SETTINGS_NAME); preferenceManager.setSharedPreferencesMode(0); // Set up automatic preferences backup backupListener = ApiAdapterFactory.getApiAdapter().getBackupPreferencesListener(this); preferences = preferenceManager.getSharedPreferences(); preferences.registerOnSharedPreferenceChangeListener(backupListener); // Load the preferences to be displayed addPreferencesFromResource(R.xml.preferences); setRecordingIntervalOptions(); setAutoResumeTimeoutOptions(); // Hook up switching of displayed list entries between metric and imperial // units CheckBoxPreference metricUnitsPreference = (CheckBoxPreference) findPreference( getString(R.string.metric_units_key)); metricUnitsPreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { boolean isMetric = (Boolean) newValue; updateDisplayOptions(isMetric); return true; } }); updateDisplayOptions(metricUnitsPreference.isChecked()); customizeSensorOptionsPreferences(); customizeTrackColorModePreferences(); // Hook up action for resetting all settings Preference resetPreference = findPreference(getString(R.string.reset_key)); resetPreference.setOnPreferenceClickListener(new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference arg0) { showDialog(DIALOG_CONFIRM_RESET); return true; } }); // Add a confirmation dialog for the 'Allow access' preference. CheckBoxPreference allowAccessPreference = (CheckBoxPreference) findPreference( getString(R.string.allow_access_key)); allowAccessPreference.setOnPreferenceChangeListener(new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { if ((Boolean) newValue) { showDialog(DIALOG_CONFIRM_ACCESS); return false; } else { return true; } } }); } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_CONFIRM_RESET: return DialogUtils.createConfirmationDialog( this, R.string.settings_reset_confirm_message, new OnClickListener() { @Override public void onClick(DialogInterface dialog, int button) { onResetPreferencesConfirmed(); } }); case DIALOG_CONFIRM_ACCESS: return DialogUtils.createConfirmationDialog( this, R.string.settings_sharing_allow_access_confirm_message, new OnClickListener() { @Override public void onClick(DialogInterface dialog, int button) { CheckBoxPreference pref = (CheckBoxPreference) findPreference( getString(R.string.allow_access_key)); pref.setChecked(true); } }); default: return null; } } /** * Sets the display options for the 'Time between points' option. */ private void setRecordingIntervalOptions() { String[] values = getResources().getStringArray(R.array.recording_interval_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { if (values[i].equals(RECORDING_INTERVAL_ADAPT_BATTERY_LIFE)) { options[i] = getString(R.string.value_adapt_battery_life); } else if (values[i].equals(RECORDING_INTERVAL_ADAPT_ACCURACY)) { options[i] = getString(R.string.value_adapt_accuracy); } else if (values[i].equals(RECORDING_INTERVAL_RECOMMENDED)) { options[i] = getString(R.string.value_smallest_recommended); } else { int value = Integer.parseInt(values[i]); String format; if (value < 60) { format = getString(R.string.value_integer_second); } else { value = value / 60; format = getString(R.string.value_integer_minute); } options[i] = String.format(format, value); } } ListPreference list = (ListPreference) findPreference( getString(R.string.min_recording_interval_key)); list.setEntries(options); } /** * Sets the display options for the 'Auto-resume timeout' option. */ private void setAutoResumeTimeoutOptions() { String[] values = getResources().getStringArray(R.array.recording_auto_resume_timeout_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { if (values[i].equals(AUTO_RESUME_TIMEOUT_NEVER)) { options[i] = getString(R.string.value_never); } else if (values[i].equals(AUTO_RESUME_TIMEOUT_ALWAYS)) { options[i] = getString(R.string.value_always); } else { int value = Integer.parseInt(values[i]); String format = getString(R.string.value_integer_minute); options[i] = String.format(format, value); } } ListPreference list = (ListPreference) findPreference( getString(R.string.auto_resume_track_timeout_key)); list.setEntries(options); } private void customizeSensorOptionsPreferences() { ListPreference sensorTypePreference = (ListPreference) findPreference(getString(R.string.sensor_type_key)); sensorTypePreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { updateSensorSettings((String) newValue); return true; } }); updateSensorSettings(sensorTypePreference.getValue()); if (!AntUtils.hasAntSupport(this)) { // The sensor options screen has a few ANT-specific options which we // need to remove. First, we need to remove the ANT sensor types. // Second, we need to remove the ANT unpairing options. Set<Integer> toRemove = new HashSet<Integer>(); String[] antValues = getResources().getStringArray(R.array.sensor_type_ant_values); for (String antValue : antValues) { toRemove.add(sensorTypePreference.findIndexOfValue(antValue)); } CharSequence[] entries = sensorTypePreference.getEntries(); CharSequence[] entryValues = sensorTypePreference.getEntryValues(); CharSequence[] filteredEntries = new CharSequence[entries.length - toRemove.size()]; CharSequence[] filteredEntryValues = new CharSequence[filteredEntries.length]; for (int i = 0, last = 0; i < entries.length; i++) { if (!toRemove.contains(i)) { filteredEntries[last] = entries[i]; filteredEntryValues[last++] = entryValues[i]; } } sensorTypePreference.setEntries(filteredEntries); sensorTypePreference.setEntryValues(filteredEntryValues); PreferenceScreen sensorOptionsScreen = (PreferenceScreen) findPreference(getString(R.string.sensor_options_key)); sensorOptionsScreen.removePreference(findPreference(getString(R.string.ant_options_key))); } } private void customizeTrackColorModePreferences() { ListPreference trackColorModePreference = (ListPreference) findPreference(getString(R.string.track_color_mode_key)); trackColorModePreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { updateTrackColorModeSettings((String) newValue); return true; } }); updateTrackColorModeSettings(trackColorModePreference.getValue()); setTrackColorModePreferenceListeners(); PreferenceCategory speedOptionsCategory = (PreferenceCategory) findPreference( getString(R.string.track_color_mode_fixed_speed_options_key)); speedOptionsCategory.removePreference( findPreference(getString(R.string.track_color_mode_fixed_speed_slow_key))); speedOptionsCategory.removePreference( findPreference(getString(R.string.track_color_mode_fixed_speed_medium_key))); } @Override protected void onResume() { super.onResume(); configureBluetoothPreferences(); Preference backupNowPreference = findPreference(getString(R.string.backup_to_sd_key)); Preference restoreNowPreference = findPreference(getString(R.string.restore_from_sd_key)); Preference resetPreference = findPreference(getString(R.string.reset_key)); // If recording, disable backup/restore/reset // (we don't want to get to inconsistent states) boolean recording = preferences.getLong(getString(R.string.recording_track_key), -1) != -1; backupNowPreference.setEnabled(!recording); restoreNowPreference.setEnabled(!recording); resetPreference.setEnabled(!recording); backupNowPreference.setSummary( recording ? R.string.settings_not_while_recording : R.string.settings_backup_now_summary); restoreNowPreference.setSummary( recording ? R.string.settings_not_while_recording : R.string.settings_backup_restore_summary); resetPreference.setSummary( recording ? R.string.settings_not_while_recording : R.string.settings_reset_summary); // Add actions to the backup preferences backupNowPreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { BackupActivityHelper backupHelper = new BackupActivityHelper(SettingsActivity.this); backupHelper.writeBackup(); return true; } }); restoreNowPreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { BackupActivityHelper backupHelper = new BackupActivityHelper(SettingsActivity.this); backupHelper.restoreBackup(); return true; } }); } @Override protected void onDestroy() { getPreferenceManager().getSharedPreferences() .unregisterOnSharedPreferenceChangeListener(backupListener); super.onPause(); } private void updateSensorSettings(String sensorType) { boolean usesBluetooth = getString(R.string.sensor_type_value_zephyr).equals(sensorType) || getString(R.string.sensor_type_value_polar).equals(sensorType); findPreference( getString(R.string.bluetooth_sensor_key)).setEnabled(usesBluetooth); findPreference( getString(R.string.bluetooth_pairing_key)).setEnabled(usesBluetooth); // Update the ANT+ sensors. // TODO: Only enable on phones that have ANT+. Preference antHrm = findPreference(getString(R.string.ant_heart_rate_sensor_id_key)); Preference antSrm = findPreference(getString(R.string.ant_srm_bridge_sensor_id_key)); if (antHrm != null && antSrm != null) { antHrm .setEnabled(getString(R.string.sensor_type_value_ant).equals(sensorType)); antSrm .setEnabled(getString(R.string.sensor_type_value_srm_ant_bridge).equals(sensorType)); } } private void updateTrackColorModeSettings(String trackColorMode) { boolean usesFixedSpeed = trackColorMode.equals(getString(R.string.display_track_color_value_fixed)); boolean usesDynamicSpeed = trackColorMode.equals(getString(R.string.display_track_color_value_dynamic)); findPreference(getString(R.string.track_color_mode_fixed_speed_slow_display_key)) .setEnabled(usesFixedSpeed); findPreference(getString(R.string.track_color_mode_fixed_speed_medium_display_key)) .setEnabled(usesFixedSpeed); findPreference(getString(R.string.track_color_mode_dynamic_speed_variation_key)) .setEnabled(usesDynamicSpeed); } /** * Updates display options that depends on the preferred distance units, metric or imperial. * * @param isMetric true to use metric units, false to use imperial */ private void updateDisplayOptions(boolean isMetric) { setTaskOptions(isMetric, R.string.announcement_frequency_key); setTaskOptions(isMetric, R.string.split_frequency_key); setRecordingDistanceOptions(isMetric, R.string.min_recording_distance_key); setTrackDistanceOptions(isMetric, R.string.max_recording_distance_key); setGpsAccuracyOptions(isMetric, R.string.min_required_accuracy_key); } /** * Sets the display options for a periodic task. */ private void setTaskOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_task_frequency_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { if (values[i].equals(TASK_FREQUENCY_OFF)) { options[i] = getString(R.string.value_off); } else if (values[i].startsWith("-")) { int value = Integer.parseInt(values[i].substring(1)); int stringId = isMetric ? R.string.value_integer_kilometer : R.string.value_integer_mile; String format = getString(stringId); options[i] = String.format(format, value); } else { int value = Integer.parseInt(values[i]); String format = getString(R.string.value_integer_minute); options[i] = String.format(format, value); } } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Sets the display options for 'Distance between points' option. */ private void setRecordingDistanceOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_distance_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { int value = Integer.parseInt(values[i]); if (!isMetric) { value = (int) (value * UnitConversions.M_TO_FT); } String format; if (values[i].equals(RECORDING_DISTANCE_RECOMMENDED)) { int stringId = isMetric ? R.string.value_integer_meter_recommended : R.string.value_integer_feet_recommended; format = getString(stringId); } else { int stringId = isMetric ? R.string.value_integer_meter : R.string.value_integer_feet; format = getString(stringId); } options[i] = String.format(format, value); } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Sets the display options for 'Distance between Tracks'. */ private void setTrackDistanceOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_track_distance_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { int value = Integer.parseInt(values[i]); String format; if (isMetric) { int stringId = values[i].equals(TRACK_DISTANCE_RECOMMENDED) ? R.string.value_integer_meter_recommended : R.string.value_integer_meter; format = getString(stringId); options[i] = String.format(format, value); } else { value = (int) (value * UnitConversions.M_TO_FT); if (value < 2000) { int stringId = values[i].equals(TRACK_DISTANCE_RECOMMENDED) ? R.string.value_integer_feet_recommended : R.string.value_integer_feet; format = getString(stringId); options[i] = String.format(format, value); } else { double mile = value * UnitConversions.FT_TO_MI; format = getString(R.string.value_float_mile); options[i] = String.format(format, mile); } } } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Sets the display options for 'GPS accuracy'. */ private void setGpsAccuracyOptions(boolean isMetric, int listId) { String[] values = getResources().getStringArray(R.array.recording_gps_accuracy_values); String[] options = new String[values.length]; for (int i = 0; i < values.length; i++) { int value = Integer.parseInt(values[i]); String format; if (isMetric) { if (values[i].equals(GPS_ACCURACY_RECOMMENDED)) { format = getString(R.string.value_integer_meter_recommended); } else if (values[i].equals(GPS_ACCURACY_EXCELLENT)) { format = getString(R.string.value_integer_meter_excellent_gps); } else if (values[i].equals(GPS_ACCURACY_POOR)) { format = getString(R.string.value_integer_meter_poor_gps); } else { format = getString(R.string.value_integer_meter); } options[i] = String.format(format, value); } else { value = (int) (value * UnitConversions.M_TO_FT); if (value < 2000) { if (values[i].equals(GPS_ACCURACY_RECOMMENDED)) { format = getString(R.string.value_integer_feet_recommended); } else if (values[i].equals(GPS_ACCURACY_EXCELLENT)) { format = getString(R.string.value_integer_feet_excellent_gps); } else { format = getString(R.string.value_integer_feet); } options[i] = String.format(format, value); } else { double mile = value * UnitConversions.FT_TO_MI; if (values[i].equals(GPS_ACCURACY_POOR)) { format = getString(R.string.value_float_mile_poor_gps); } else { format = getString(R.string.value_float_mile); } options[i] = String.format(format, mile); } } } ListPreference list = (ListPreference) findPreference(getString(listId)); list.setEntries(options); } /** * Configures preference actions related to bluetooth. */ private void configureBluetoothPreferences() { // Populate the list of bluetooth devices populateBluetoothDeviceList(); // Make the pair devices preference go to the system preferences findPreference(getString(R.string.bluetooth_pairing_key)).setOnPreferenceClickListener( new OnPreferenceClickListener() { public boolean onPreferenceClick(Preference preference) { Intent settingsIntent = new Intent(Settings.ACTION_BLUETOOTH_SETTINGS); startActivity(settingsIntent); return false; } }); } /** * Populates the list preference with all available bluetooth devices. */ private void populateBluetoothDeviceList() { // Build the list of entries and their values List<String> entries = new ArrayList<String>(); List<String> entryValues = new ArrayList<String>(); // The actual devices BluetoothAdapter bluetoothAdapter = BluetoothAdapter.getDefaultAdapter(); if (bluetoothAdapter != null) { BluetoothDeviceUtils.populateDeviceLists(bluetoothAdapter, entries, entryValues); } CharSequence[] entriesArray = entries.toArray(new CharSequence[entries.size()]); CharSequence[] entryValuesArray = entryValues.toArray(new CharSequence[entryValues.size()]); ListPreference devicesPreference = (ListPreference) findPreference(getString(R.string.bluetooth_sensor_key)); devicesPreference.setEntryValues(entryValuesArray); devicesPreference.setEntries(entriesArray); } /** Callback for when user confirms resetting all settings. */ private void onResetPreferencesConfirmed() { // Change preferences in a separate thread. new Thread() { @Override public void run() { Log.i(TAG, "Resetting all settings"); // Actually wipe preferences (and save synchronously). preferences.edit().clear().commit(); // Give UI feedback in the UI thread. runOnUiThread(new Runnable() { @Override public void run() { // Give feedback to the user. Toast.makeText( SettingsActivity.this, R.string.settings_reset_done, Toast.LENGTH_SHORT).show(); // Restart the settings activity so all changes are loaded. Intent intent = getIntent(); intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); startActivity(intent); } }); } }.start(); } /** * Set the given edit text preference text. * If the units are not metric convert the value before displaying. */ private void viewTrackColorModeSettings(EditTextPreference preference, int id) { CheckBoxPreference metricUnitsPreference = (CheckBoxPreference) findPreference( getString(R.string.metric_units_key)); if(metricUnitsPreference.isChecked()) { return; } // Convert miles/h to km/h SharedPreferences prefs = getPreferenceManager().getSharedPreferences(); String metricspeed = prefs.getString(getString(id), null); int englishspeed; try { englishspeed = (int) (Double.parseDouble(metricspeed) * UnitConversions.KM_TO_MI); } catch (NumberFormatException e) { englishspeed = 0; } preference.getEditText().setText(String.valueOf(englishspeed)); } /** * Saves the given edit text preference value. * If the units are not metric convert the value before saving. */ private void validateTrackColorModeSettings(String newValue, int id) { CheckBoxPreference metricUnitsPreference = (CheckBoxPreference) findPreference( getString(R.string.metric_units_key)); String metricspeed; if(!metricUnitsPreference.isChecked()) { // Convert miles/h to km/h try { metricspeed = String.valueOf( (int) (Double.parseDouble(newValue) * UnitConversions.MI_TO_KM)); } catch (NumberFormatException e) { metricspeed = "0"; } } else { metricspeed = newValue; } SharedPreferences prefs = getPreferenceManager().getSharedPreferences(); Editor editor = prefs.edit(); editor.putString(getString(id), metricspeed); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } /** * Sets the TrackColorMode preference listeners. */ private void setTrackColorModePreferenceListeners() { setTrackColorModePreferenceListener(R.string.track_color_mode_fixed_speed_slow_display_key, R.string.track_color_mode_fixed_speed_slow_key); setTrackColorModePreferenceListener(R.string.track_color_mode_fixed_speed_medium_display_key, R.string.track_color_mode_fixed_speed_medium_key); } /** * Sets a TrackColorMode preference listener. */ private void setTrackColorModePreferenceListener(int displayKey, final int metricKey) { EditTextPreference trackColorModePreference = (EditTextPreference) findPreference(getString(displayKey)); trackColorModePreference.setOnPreferenceChangeListener( new OnPreferenceChangeListener() { @Override public boolean onPreferenceChange(Preference preference, Object newValue) { validateTrackColorModeSettings((String) newValue, metricKey); return true; } }); trackColorModePreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { viewTrackColorModeSettings((EditTextPreference) preference, metricKey); return true; } }); } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.stats.ExtremityMonitor; import android.content.Context; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Paint.Style; import android.graphics.Path; import java.text.NumberFormat; /** * This class encapsulates meta data about one series of values for a chart. * * @author Sandor Dornbush */ public class ChartValueSeries { private final ExtremityMonitor monitor = new ExtremityMonitor(); private final NumberFormat format; private final Path path = new Path(); private final Paint fillPaint; private final Paint strokePaint; private final Paint labelPaint; private final ZoomSettings zoomSettings; private String title; private double min; private double max = 1.0; private int effectiveMax; private int effectiveMin; private double spread; private int interval; private boolean enabled = true; /** * This class controls how effective min/max values of a {@link ChartValueSeries} are calculated. */ public static class ZoomSettings { private int intervals; private final int absoluteMin; private final int absoluteMax; private final int[] zoomLevels; public ZoomSettings(int intervals, int[] zoomLevels) { this.intervals = intervals; this.absoluteMin = Integer.MAX_VALUE; this.absoluteMax = Integer.MIN_VALUE; this.zoomLevels = zoomLevels; checkArgs(); } public ZoomSettings(int intervals, int absoluteMin, int absoluteMax, int[] zoomLevels) { this.intervals = intervals; this.absoluteMin = absoluteMin; this.absoluteMax = absoluteMax; this.zoomLevels = zoomLevels; checkArgs(); } private void checkArgs() { if (intervals <= 0 || zoomLevels == null || zoomLevels.length == 0) { throw new IllegalArgumentException("Expecing positive intervals and non-empty zoom levels"); } for (int i = 1; i < zoomLevels.length; ++i) { if (zoomLevels[i] <= zoomLevels[i - 1]) { throw new IllegalArgumentException("Expecting zoom levels in ascending order"); } } } public int getIntervals() { return intervals; } public int getAbsoluteMin() { return absoluteMin; } public int getAbsoluteMax() { return absoluteMax; } public int[] getZoomLevels() { return zoomLevels; } /** * Calculates the interval between markings given the min and max values. * This function attempts to find the smallest zoom level that fits [min,max] after rounding * it to the current zoom level. * * @param min the minimum value in the series * @param max the maximum value in the series * @return the calculated interval for the given range */ public int calculateInterval(double min, double max) { min = Math.min(min, absoluteMin); max = Math.max(max, absoluteMax); for (int i = 0; i < zoomLevels.length; ++i) { int zoomLevel = zoomLevels[i]; int roundedMin = (int)(min / zoomLevel) * zoomLevel; if (roundedMin > min) { roundedMin -= zoomLevel; } double interval = (max - roundedMin) / intervals; if (zoomLevel >= interval) { return zoomLevel; } } return zoomLevels[zoomLevels.length - 1]; } } /** * Constructs a new chart value series. * * @param context The context for the chart * @param fillColor The paint for filling the chart * @param strokeColor The paint for stroking the outside the chart, optional * @param zoomSettings The settings related to zooming * @param titleId The title ID * * TODO: Get rid of Context and inject appropriate values instead. */ public ChartValueSeries( Context context, int fillColor, int strokeColor, ZoomSettings zoomSettings, int titleId) { this.format = NumberFormat.getIntegerInstance(); fillPaint = new Paint(); fillPaint.setStyle(Style.FILL); fillPaint.setColor(context.getResources().getColor(fillColor)); fillPaint.setAntiAlias(true); if (strokeColor != -1) { strokePaint = new Paint(); strokePaint.setStyle(Style.STROKE); strokePaint.setColor(context.getResources().getColor(strokeColor)); strokePaint.setAntiAlias(true); // Make a copy of the stroke paint with the default thickness. labelPaint = new Paint(strokePaint); strokePaint.setStrokeWidth(2f); } else { strokePaint = null; labelPaint = fillPaint; } this.zoomSettings = zoomSettings; this.title = context.getString(titleId); } /** * Draws the path of the chart */ public void drawPath(Canvas c) { c.drawPath(path, fillPaint); if (strokePaint != null) { c.drawPath(path, strokePaint); } } /** * Resets this series */ public void reset() { monitor.reset(); } /** * Updates this series with a new value */ public void update(double d) { monitor.update(d); } /** * @return The interval between markers */ public int getInterval() { return interval; } /** * Determines what the min and max of the chart will be. * This will round down and up the min and max respectively. */ public void updateDimension() { if (monitor.getMax() == Double.NEGATIVE_INFINITY) { min = 0; max = 1; } else { min = monitor.getMin(); max = monitor.getMax(); } min = Math.min(min, zoomSettings.getAbsoluteMin()); max = Math.max(max, zoomSettings.getAbsoluteMax()); this.interval = zoomSettings.calculateInterval(min, max); // Round it up. effectiveMax = ((int) (max / interval)) * interval + interval; // Round it down. effectiveMin = ((int) (min / interval)) * interval; if (min < 0) { effectiveMin -= interval; } spread = effectiveMax - effectiveMin; } /** * @return The length of the longest string from the series */ public int getMaxLabelLength() { String minS = format.format(effectiveMin); String maxS = format.format(getMax()); return Math.max(minS.length(), maxS.length()); } /** * @return The rounded down minimum value */ public int getMin() { return effectiveMin; } /** * @return The rounded up maximum value */ public int getMax() { return effectiveMax; } /** * @return The difference between the min and max values in the series */ public double getSpread() { return spread; } /** * @return The number format for this series */ NumberFormat getFormat() { return format; } /** * @return The path for this series */ Path getPath() { return path; } /** * @return The paint for this series */ Paint getPaint() { return strokePaint == null ? fillPaint : strokePaint; } public Paint getLabelPaint() { return labelPaint; } /** * @return The title of the series */ public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } /** * @return is this series enabled */ public boolean isEnabled() { return enabled; } /** * Sets the series enabled flag. */ public void setEnabled(boolean enabled) { this.enabled = enabled; } public boolean hasData() { return monitor.hasData(); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.util.EulaUtils; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.DialogInterface; import android.os.Bundle; import android.view.LayoutInflater; import android.view.View; import android.view.View.OnClickListener; import android.widget.TextView; /** * An activity that displays a welcome screen. * * @author Sandor Dornbush */ public class WelcomeActivity extends Activity { private static final int DIALOG_ABOUT_ID = 0; private static final int DIALOG_EULA_ID = 1; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.welcome); findViewById(R.id.welcome_ok).setOnClickListener(new OnClickListener() { public void onClick(View v) { finish(); } }); findViewById(R.id.welcome_about).setOnClickListener(new OnClickListener() { public void onClick(View v) { showDialog(DIALOG_ABOUT_ID); } }); } @Override protected Dialog onCreateDialog(int id) { AlertDialog.Builder builder; switch (id) { case DIALOG_ABOUT_ID: LayoutInflater layoutInflator = LayoutInflater.from(this); View view = layoutInflator.inflate(R.layout.about, null); TextView aboutVersionTextView = (TextView) view.findViewById(R.id.about_version); aboutVersionTextView.setText(SystemUtils.getMyTracksVersion(this)); builder = new AlertDialog.Builder(this); builder.setView(view); builder.setPositiveButton(R.string.generic_ok, null); builder.setNegativeButton(R.string.about_license, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { showDialog(DIALOG_EULA_ID); } }); return builder.create(); case DIALOG_EULA_ID: builder = new AlertDialog.Builder(this); builder.setTitle(R.string.eula_title); builder.setMessage(EulaUtils.getEulaMessage(this)); builder.setPositiveButton(R.string.generic_ok, null); builder.setCancelable(true); return builder.create(); default: return null; } } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.widgets; import static com.google.android.apps.mytracks.Constants.SETTINGS_NAME; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.MyTracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.services.ControlRecordingService; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.app.PendingIntent; import android.appwidget.AppWidgetManager; import android.appwidget.AppWidgetProvider; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.database.ContentObserver; import android.os.Handler; import android.util.Log; import android.widget.RemoteViews; /** * An AppWidgetProvider for displaying key track statistics (distance, time, * speed) from the current or most recent track. * * @author Sandor Dornbush * @author Paul R. Saxman */ public class TrackWidgetProvider extends AppWidgetProvider implements OnSharedPreferenceChangeListener { class TrackObserver extends ContentObserver { public TrackObserver() { super(contentHandler); } public void onChange(boolean selfChange) { updateTrack(null); } } private final Handler contentHandler; private MyTracksProviderUtils providerUtils; private Context context; private String unknown; private TrackObserver trackObserver; private boolean isMetric; private boolean reportSpeed; private long selectedTrackId; private SharedPreferences sharedPreferences; private String TRACK_STARTED_ACTION; private String TRACK_STOPPED_ACTION; public TrackWidgetProvider() { super(); contentHandler = new Handler(); selectedTrackId = -1; } private void initialize(Context aContext) { if (this.context != null) { return; } this.context = aContext; trackObserver = new TrackObserver(); providerUtils = MyTracksProviderUtils.Factory.get(context); unknown = context.getString(R.string.value_unknown); sharedPreferences = context.getSharedPreferences(SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferences.registerOnSharedPreferenceChangeListener(this); onSharedPreferenceChanged(sharedPreferences, null); context.getContentResolver().registerContentObserver( TracksColumns.CONTENT_URI, true, trackObserver); TRACK_STARTED_ACTION = context.getString(R.string.track_started_broadcast_action); TRACK_STOPPED_ACTION = context.getString(R.string.track_stopped_broadcast_action); } @Override public void onReceive(Context aContext, Intent intent) { super.onReceive(aContext, intent); initialize(aContext); selectedTrackId = intent.getLongExtra( context.getString(R.string.track_id_broadcast_extra), selectedTrackId); String action = intent.getAction(); Log.d(TAG, "TrackWidgetProvider.onReceive: trackId=" + selectedTrackId + ", action=" + action); if (AppWidgetManager.ACTION_APPWIDGET_ENABLED.equals(action) || AppWidgetManager.ACTION_APPWIDGET_UPDATE.equals(action) || TRACK_STARTED_ACTION.equals(action) || TRACK_STOPPED_ACTION.equals(action)) { updateTrack(action); } } @Override public void onDisabled(Context aContext) { if (trackObserver != null) { aContext.getContentResolver().unregisterContentObserver(trackObserver); } if (sharedPreferences != null) { sharedPreferences.unregisterOnSharedPreferenceChangeListener(this); } } private void updateTrack(String action) { Track track = null; if (selectedTrackId != -1) { Log.d(TAG, "TrackWidgetProvider.updateTrack: Retrieving specified track."); track = providerUtils.getTrack(selectedTrackId); } else { Log.d(TAG, "TrackWidgetProvider.updateTrack: Attempting to retrieve previous track."); // TODO we should really read the pref. track = providerUtils.getLastTrack(); } AppWidgetManager appWidgetManager = AppWidgetManager.getInstance(context); ComponentName widget = new ComponentName(context, TrackWidgetProvider.class); RemoteViews views = new RemoteViews(context.getPackageName(), R.layout.track_widget); // Make all of the stats open the mytracks activity. Intent intent = new Intent(context, MyTracks.class); PendingIntent pendingIntent = PendingIntent.getActivity(context, 0, intent, 0); views.setOnClickPendingIntent(R.id.appwidget_track_statistics, pendingIntent); if (action != null) { updateViewButton(views, action); } updateViewTrackStatistics(views, track); int[] appWidgetIds = appWidgetManager.getAppWidgetIds(widget); for (int appWidgetId : appWidgetIds) { appWidgetManager.updateAppWidget(appWidgetId, views); } } /** * Update the widget's button with the appropriate intent and icon. * * @param views The RemoteViews containing the button * @param action The action broadcast from the track service */ private void updateViewButton(RemoteViews views, String action) { if (TRACK_STARTED_ACTION.equals(action)) { // If a new track is started by this appwidget or elsewhere, // toggle the button to active and have it disable the track if pressed. setButtonIntent(views, R.string.track_action_end, R.drawable.appwidget_button_enabled); } else { // If a track is stopped by this appwidget or elsewhere, // toggle the button to inactive and have it start a new track if pressed. setButtonIntent(views, R.string.track_action_start, R.drawable.appwidget_button_disabled); } } /** * Set up the main widget button. * * @param views The widget views * @param action The resource id of the action to fire when the button is pressed * @param icon The resource id of the icon to show for the button */ private void setButtonIntent(RemoteViews views, int action, int icon) { Intent intent = new Intent(context, ControlRecordingService.class); intent.setAction(context.getString(action)); PendingIntent pendingIntent = PendingIntent.getService(context, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT); views.setOnClickPendingIntent(R.id.appwidget_button, pendingIntent); views.setImageViewResource(R.id.appwidget_button, icon); } /** * Update the specified widget's view with the distance, time, and speed of * the specified track. * * @param views The RemoteViews to update with statistics * @param track The track to extract statistics from. */ protected void updateViewTrackStatistics(RemoteViews views, Track track) { if (track == null) { views.setTextViewText(R.id.appwidget_distance_text, unknown); views.setTextViewText(R.id.appwidget_time_text, unknown); views.setTextViewText(R.id.appwidget_speed_text, unknown); return; } TripStatistics stats = track.getStatistics(); String distance = StringUtils.formatDistance(context, stats.getTotalDistance(), isMetric); String time = StringUtils.formatElapsedTime(stats.getMovingTime()); String speed = StringUtils.formatSpeed( context, stats.getAverageMovingSpeed(), isMetric, reportSpeed); views.setTextViewText(R.id.appwidget_distance_text, distance); views.setTextViewText(R.id.appwidget_time_text, time); views.setTextViewText(R.id.appwidget_speed_text, speed); } @Override public void onSharedPreferenceChanged(SharedPreferences prefs, String key) { String metricUnitsKey = context.getString(R.string.metric_units_key); if (key == null || key.equals(metricUnitsKey)) { isMetric = prefs.getBoolean(metricUnitsKey, true); } String reportSpeedKey = context.getString(R.string.report_speed_key); if (key == null || key.equals(reportSpeedKey)) { reportSpeed = prefs.getBoolean(reportSpeedKey, true); } String selectedTrackKey = context.getString(R.string.selected_track_key); if (key == null || key.equals(selectedTrackKey)) { selectedTrackId = prefs.getLong(selectedTrackKey, -1); Log.d(TAG, "TrackWidgetProvider setting selecting track from preference: " + selectedTrackId); } } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.app.AlertDialog; import android.content.Context; import android.content.DialogInterface; import android.content.SharedPreferences; /** * Checks with the user if he prefers the metric units or the imperial units. * * @author Sandor Dornbush */ class CheckUnits { private static final String CHECK_UNITS_PREFERENCE_FILE = "checkunits"; private static final String CHECK_UNITS_PREFERENCE_KEY = "checkunits.checked"; private static boolean metric = true; public static void check(final Context context) { final SharedPreferences checkUnitsSharedPreferences = context.getSharedPreferences( CHECK_UNITS_PREFERENCE_FILE, Context.MODE_PRIVATE); if (checkUnitsSharedPreferences.getBoolean(CHECK_UNITS_PREFERENCE_KEY, false)) { return; } AlertDialog.Builder builder = new AlertDialog.Builder(context); builder.setTitle(context.getString(R.string.preferred_units_title)); CharSequence[] items = { context.getString(R.string.preferred_units_metric), context.getString(R.string.preferred_units_imperial) }; builder.setSingleChoiceItems(items, 0, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (which == 0) { metric = true; } else { metric = false; } } }); builder.setCancelable(true); builder.setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { recordCheckPerformed(checkUnitsSharedPreferences); SharedPreferences useMetricPreferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); SharedPreferences.Editor editor = useMetricPreferences.edit(); String key = context.getString(R.string.metric_units_key); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor.putBoolean(key, metric)); } }); builder.setOnCancelListener(new DialogInterface.OnCancelListener() { public void onCancel(DialogInterface dialog) { recordCheckPerformed(checkUnitsSharedPreferences); } }); builder.show(); } private static void recordCheckPerformed(SharedPreferences preferences) { ApiAdapterFactory.getApiAdapter().applyPreferenceChanges( preferences.edit().putBoolean(CHECK_UNITS_PREFERENCE_KEY, true)); } private CheckUnits() {} }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.os.Bundle; import android.util.Log; import android.view.View; import android.view.View.OnClickListener; import android.widget.ArrayAdapter; import android.widget.AutoCompleteTextView; import android.widget.Button; import android.widget.EditText; /** * An activity that let's the user see and edit the user editable track meta * data such as track name, activity type, and track description. * * @author Leif Hendrik Wilden */ public class TrackDetail extends Activity implements OnClickListener { public static final String TRACK_ID = "trackId"; public static final String SHOW_CANCEL = "showCancel"; private static final String TAG = TrackDetail.class.getSimpleName(); private Long trackId; private MyTracksProviderUtils myTracksProviderUtils; private Track track; private EditText trackName; private AutoCompleteTextView activityType; private EditText trackDescription; @Override protected void onCreate(Bundle bundle) { super.onCreate(bundle); setContentView(R.layout.track_detail); trackId = getIntent().getLongExtra(TRACK_ID, -1); if (trackId < 0) { Log.e(TAG, "invalid trackId."); finish(); return; } myTracksProviderUtils = MyTracksProviderUtils.Factory.get(this); track = myTracksProviderUtils.getTrack(trackId); if (track == null) { Log.e(TAG, "no track."); finish(); return; } trackName = (EditText) findViewById(R.id.track_detail_track_name); trackName.setText(track.getName()); activityType = (AutoCompleteTextView) findViewById(R.id.track_detail_activity_type); activityType.setText(track.getCategory()); ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource( this, R.array.activity_types, android.R.layout.simple_dropdown_item_1line); activityType.setAdapter(adapter); trackDescription = (EditText) findViewById(R.id.track_detail_track_description); trackDescription.setText(track.getDescription()); Button save = (Button) findViewById(R.id.track_detail_save); save.setOnClickListener(this); Button cancel = (Button) findViewById(R.id.track_detail_cancel); if (getIntent().getBooleanExtra(SHOW_CANCEL, true)) { cancel.setOnClickListener(this); cancel.setVisibility(View.VISIBLE); } else { cancel.setVisibility(View.INVISIBLE); } } @Override public void onClick(View view) { switch (view.getId()) { case R.id.track_detail_save: save(); finish(); break; case R.id.track_detail_cancel: finish(); break; default: finish(); } } private void save() { track.setName(trackName.getText().toString()); track.setCategory(activityType.getText().toString()); track.setDescription(trackDescription.getText().toString()); myTracksProviderUtils.updateTrack(track); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Intent; import android.view.Menu; import android.view.MenuItem; /** * Manage the application menus. * * @author Sandor Dornbush */ class MenuManager { private final MyTracks activity; public MenuManager(MyTracks activity) { this.activity = activity; } public boolean onCreateOptionsMenu(Menu menu) { activity.getMenuInflater().inflate(R.menu.main, menu); // TODO: Replace search button with search widget if API level >= 11 return true; } public void onPrepareOptionsMenu(Menu menu, boolean hasRecorded, boolean isRecording, boolean hasSelectedTrack) { menu.findItem(R.id.menu_markers) .setEnabled(hasRecorded && hasSelectedTrack); menu.findItem(R.id.menu_record_track) .setEnabled(!isRecording) .setVisible(!isRecording); menu.findItem(R.id.menu_stop_recording) .setEnabled(isRecording) .setVisible(isRecording); } public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case R.id.menu_record_track: { activity.startRecording(); return true; } case R.id.menu_stop_recording: { activity.stopRecording(); return true; } case R.id.menu_tracks: { activity.startActivityForResult(new Intent(activity, TrackList.class), Constants.SHOW_TRACK); return true; } case R.id.menu_markers: { Intent startIntent = new Intent(activity, WaypointsList.class); startIntent.putExtra("trackid", activity.getSelectedTrackId()); activity.startActivityForResult(startIntent, Constants.SHOW_WAYPOINT); return true; } case R.id.menu_sensor_state: { return startActivity(SensorStateActivity.class); } case R.id.menu_settings: { return startActivity(SettingsActivity.class); } case R.id.menu_aggregated_statistics: { return startActivity(AggregatedStatsActivity.class); } case R.id.menu_help: { return startActivity(WelcomeActivity.class); } case R.id.menu_search: { // TODO: Pass the current track ID and current location to do some fancier ranking. activity.onSearchRequested(); } } return false; } private boolean startActivity(Class<? extends Activity> activityClass) { activity.startActivity(new Intent(activity, activityClass)); return true; } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import android.content.Context; import android.content.res.TypedArray; import android.graphics.drawable.Drawable; import android.os.Handler; import android.view.MotionEvent; import android.view.View; import android.view.ViewGroup; import android.view.animation.AlphaAnimation; import android.view.animation.Animation; import android.widget.ImageView; import android.widget.RelativeLayout; import android.widget.RelativeLayout.LayoutParams; /** * Creates previous and next arrows for a given activity. * * @author Leif Hendrik Wilden */ public class NavControls { private static final int KEEP_VISIBLE_MILLIS = 4000; private static final boolean FADE_CONTROLS = true; private static final Animation SHOW_NEXT_ANIMATION = new AlphaAnimation(0F, 1F); private static final Animation HIDE_NEXT_ANIMATION = new AlphaAnimation(1F, 0F); private static final Animation SHOW_PREV_ANIMATION = new AlphaAnimation(0F, 1F); private static final Animation HIDE_PREV_ANIMATION = new AlphaAnimation(1F, 0F); /** * A touchable image view. * When touched it changes the navigation control icons accordingly. */ private class TouchLayout extends RelativeLayout implements Runnable { private final boolean isLeft; private final ImageView icon; public TouchLayout(Context context, boolean isLeft) { super(context); this.isLeft = isLeft; this.icon = new ImageView(context); icon.setVisibility(View.GONE); addView(icon); } public void setIcon(Drawable drawable) { icon.setImageDrawable(drawable); icon.setVisibility(View.VISIBLE); } @Override public boolean onTouchEvent(MotionEvent event) { switch (event.getAction()) { case MotionEvent.ACTION_DOWN: setPressed(true); shiftIcons(isLeft); // Call the user back handler.post(this); break; case MotionEvent.ACTION_UP: setPressed(false); break; } return super.onTouchEvent(event); } @Override public void run() { touchRunnable.run(); setPressed(false); } } private final Handler handler = new Handler(); private final Runnable dismissControls = new Runnable() { public void run() { hide(); } }; private final TouchLayout prevImage; private final TouchLayout nextImage; private final TypedArray leftIcons; private final TypedArray rightIcons; private final Runnable touchRunnable; private boolean isVisible = false; private int currentIcons; public NavControls(Context context, ViewGroup container, TypedArray leftIcons, TypedArray rightIcons, Runnable touchRunnable) { this.leftIcons = leftIcons; this.rightIcons = rightIcons; this.touchRunnable = touchRunnable; if (leftIcons.length() != rightIcons.length() || leftIcons.length() < 1) { throw new IllegalArgumentException("Invalid icons specified"); } if (touchRunnable == null) { throw new NullPointerException("Runnable cannot be null"); } LayoutParams prevParams = new LayoutParams( LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT); LayoutParams nextParams = new LayoutParams( LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT); prevParams.addRule(RelativeLayout.ALIGN_PARENT_LEFT); nextParams.addRule(RelativeLayout.ALIGN_PARENT_RIGHT); prevParams.addRule(RelativeLayout.CENTER_VERTICAL); nextParams.addRule(RelativeLayout.CENTER_VERTICAL); nextImage = new TouchLayout(context, false); prevImage = new TouchLayout(context, true); nextImage.setLayoutParams(nextParams); prevImage.setLayoutParams(prevParams); nextImage.setVisibility(View.INVISIBLE); prevImage.setVisibility(View.INVISIBLE); container.addView(prevImage); container.addView(nextImage); prevImage.setIcon(leftIcons.getDrawable(0)); nextImage.setIcon(rightIcons.getDrawable(0)); this.currentIcons = 0; } private void keepVisible() { if (isVisible && FADE_CONTROLS) { handler.removeCallbacks(dismissControls); handler.postDelayed(dismissControls, KEEP_VISIBLE_MILLIS); } } public void show() { if (!isVisible) { SHOW_PREV_ANIMATION.setDuration(500); SHOW_PREV_ANIMATION.startNow(); prevImage.setPressed(false); prevImage.setAnimation(SHOW_PREV_ANIMATION); prevImage.setVisibility(View.VISIBLE); SHOW_NEXT_ANIMATION.setDuration(500); SHOW_NEXT_ANIMATION.startNow(); nextImage.setPressed(false); nextImage.setAnimation(SHOW_NEXT_ANIMATION); nextImage.setVisibility(View.VISIBLE); isVisible = true; keepVisible(); } else { keepVisible(); } } public void hideNow() { handler.removeCallbacks(dismissControls); isVisible = false; prevImage.clearAnimation(); prevImage.setVisibility(View.INVISIBLE); nextImage.clearAnimation(); nextImage.setVisibility(View.INVISIBLE); } public void hide() { isVisible = false; prevImage.setAnimation(HIDE_PREV_ANIMATION); HIDE_PREV_ANIMATION.setDuration(500); HIDE_PREV_ANIMATION.startNow(); prevImage.setVisibility(View.INVISIBLE); nextImage.setAnimation(HIDE_NEXT_ANIMATION); HIDE_NEXT_ANIMATION.setDuration(500); HIDE_NEXT_ANIMATION.startNow(); nextImage.setVisibility(View.INVISIBLE); } public int getCurrentIcons() { return currentIcons; } private void shiftIcons(boolean isLeft) { // Increment or decrement by one, with wrap around currentIcons = (currentIcons + leftIcons.length() + (isLeft ? -1 : 1)) % leftIcons.length(); prevImage.setIcon(leftIcons.getDrawable(currentIcons)); nextImage.setIcon(rightIcons.getDrawable(currentIcons)); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.maps.TrackPathPainter; import com.google.android.apps.mytracks.maps.TrackPathPainterFactory; import com.google.android.apps.mytracks.maps.TrackPathUtilities; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.GeoPoint; import com.google.android.maps.MapView; import com.google.android.maps.Overlay; import com.google.android.maps.Projection; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.content.res.Resources; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Point; import android.graphics.Rect; import android.graphics.drawable.Drawable; import android.location.Location; import android.util.Log; import java.util.ArrayList; import java.util.List; import java.util.concurrent.ArrayBlockingQueue; import java.util.concurrent.BlockingQueue; /** * A map overlay that displays a "MyLocation" arrow, an error circle, the * currently recording track and optionally a selected track. * * @author Leif Hendrik Wilden */ public class MapOverlay extends Overlay implements OnSharedPreferenceChangeListener { private final Drawable[] arrows; private final int arrowWidth, arrowHeight; private final Drawable statsMarker; private final Drawable waypointMarker; private final Drawable startMarker; private final Drawable endMarker; private final int markerWidth, markerHeight; private final Paint errorCirclePaint; private final Context context; private final List<Waypoint> waypoints; private final List<CachedLocation> points; private final BlockingQueue<CachedLocation> pendingPoints; private boolean trackDrawingEnabled; private int lastHeading = 0; private Location myLocation; private boolean showEndMarker = true; // TODO: Remove it completely after completing performance tests. private boolean alwaysVisible = true; private GeoPoint lastReferencePoint; private Rect lastViewRect; private boolean lastPathExists; private TrackPathPainter trackPathPainter; /** * Represents a pre-processed {@code Location} to speed up drawing. * This class is more like a data object and doesn't provide accessors. */ public static class CachedLocation { public final boolean valid; public final GeoPoint geoPoint; public final int speed; /** * Constructor for an invalid cached location. */ public CachedLocation() { this.valid = false; this.geoPoint = null; this.speed = -1; } /** * Constructor for a potentially valid cached location. */ public CachedLocation(Location location) { this.valid = LocationUtils.isValidLocation(location); this.geoPoint = valid ? LocationUtils.getGeoPoint(location) : null; this.speed = (int) Math.floor(location.getSpeed() * UnitConversions.MS_TO_KMH); } }; public MapOverlay(Context context) { this.context = context; this.waypoints = new ArrayList<Waypoint>(); this.points = new ArrayList<CachedLocation>(1024); this.pendingPoints = new ArrayBlockingQueue<CachedLocation>( Constants.MAX_DISPLAYED_TRACK_POINTS, true); // TODO: Can we use a FrameAnimation or similar here rather // than individual resources for each arrow direction? final Resources resources = context.getResources(); arrows = new Drawable[] { resources.getDrawable(R.drawable.arrow_0), resources.getDrawable(R.drawable.arrow_20), resources.getDrawable(R.drawable.arrow_40), resources.getDrawable(R.drawable.arrow_60), resources.getDrawable(R.drawable.arrow_80), resources.getDrawable(R.drawable.arrow_100), resources.getDrawable(R.drawable.arrow_120), resources.getDrawable(R.drawable.arrow_140), resources.getDrawable(R.drawable.arrow_160), resources.getDrawable(R.drawable.arrow_180), resources.getDrawable(R.drawable.arrow_200), resources.getDrawable(R.drawable.arrow_220), resources.getDrawable(R.drawable.arrow_240), resources.getDrawable(R.drawable.arrow_260), resources.getDrawable(R.drawable.arrow_280), resources.getDrawable(R.drawable.arrow_300), resources.getDrawable(R.drawable.arrow_320), resources.getDrawable(R.drawable.arrow_340) }; arrowWidth = arrows[lastHeading].getIntrinsicWidth(); arrowHeight = arrows[lastHeading].getIntrinsicHeight(); for (Drawable arrow : arrows) { arrow.setBounds(0, 0, arrowWidth, arrowHeight); } statsMarker = resources.getDrawable(R.drawable.ylw_pushpin); markerWidth = statsMarker.getIntrinsicWidth(); markerHeight = statsMarker.getIntrinsicHeight(); statsMarker.setBounds(0, 0, markerWidth, markerHeight); startMarker = resources.getDrawable(R.drawable.green_dot); startMarker.setBounds(0, 0, markerWidth, markerHeight); endMarker = resources.getDrawable(R.drawable.red_dot); endMarker.setBounds(0, 0, markerWidth, markerHeight); waypointMarker = resources.getDrawable(R.drawable.blue_pushpin); waypointMarker.setBounds(0, 0, markerWidth, markerHeight); errorCirclePaint = TrackPathUtilities.getPaint(R.color.blue, context); errorCirclePaint.setAlpha(127); trackPathPainter = TrackPathPainterFactory.getTrackPathPainter(context); context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE) .registerOnSharedPreferenceChangeListener(this); } /** * Add a location to the map overlay. * * NOTE: This method doesn't take ownership of the given location, so it is * safe to reuse the same location while calling this method. * * @param l the location to add. */ public void addLocation(Location l) { // Queue up in the pending queue until it's merged with {@code #points}. if (!pendingPoints.offer(new CachedLocation(l))) { Log.e(TAG, "Unable to add pending points"); } } /** * Adds a segment split to the map overlay. */ public void addSegmentSplit() { if (!pendingPoints.offer(new CachedLocation())) { Log.e(TAG, "Unable to add pending points"); } } public void addWaypoint(Waypoint wpt) { // Note: We don't cache waypoints, because it's not worth the effort. if (wpt != null && wpt.getLocation() != null) { synchronized (waypoints) { waypoints.add(wpt); } } } public int getNumLocations() { synchronized (points) { return points.size() + pendingPoints.size(); } } // Visible for testing. public int getNumWaypoints() { synchronized (waypoints) { return waypoints.size(); } } public void clearPoints() { synchronized (getPoints()) { getPoints().clear(); pendingPoints.clear(); lastPathExists = false; lastViewRect = null; trackPathPainter.clear(); } } public void clearWaypoints() { synchronized (waypoints) { waypoints.clear(); } } public void setTrackDrawingEnabled(boolean trackDrawingEnabled) { this.trackDrawingEnabled = trackDrawingEnabled; } public void setShowEndMarker(boolean showEndMarker) { this.showEndMarker = showEndMarker; } @Override public void draw(Canvas canvas, MapView mapView, boolean shadow) { if (shadow) { return; } // It's safe to keep projection within a single draw operation. final Projection projection = getMapProjection(mapView); if (projection == null) { Log.w(TAG, "No projection, unable to draw"); return; } // Get the current viewing window. if (trackDrawingEnabled) { Rect viewRect = getMapViewRect(mapView); // Draw the selected track: drawTrack(canvas, projection, viewRect); // Draw the "Start" and "End" markers: drawMarkers(canvas, projection); // Draw the waypoints: drawWaypoints(canvas, projection); } // Draw the current location drawMyLocation(canvas, projection); } private void drawMarkers(Canvas canvas, Projection projection) { // Draw the "End" marker. if (showEndMarker) { for (int i = getPoints().size() - 1; i >= 0; --i) { if (getPoints().get(i).valid) { drawElement(canvas, projection, getPoints().get(i).geoPoint, endMarker, -markerWidth / 2, -markerHeight); break; } } } // Draw the "Start" marker. for (int i = 0; i < getPoints().size(); ++i) { if (getPoints().get(i).valid) { drawElement(canvas, projection, getPoints().get(i).geoPoint, startMarker, -markerWidth / 2, -markerHeight); break; } } } // Visible for testing. Projection getMapProjection(MapView mapView) { return mapView.getProjection(); } // Visible for testing. Rect getMapViewRect(MapView mapView) { int w = mapView.getLongitudeSpan(); int h = mapView.getLatitudeSpan(); int cx = mapView.getMapCenter().getLongitudeE6(); int cy = mapView.getMapCenter().getLatitudeE6(); return new Rect(cx - w / 2, cy - h / 2, cx + w / 2, cy + h / 2); } // For use in testing only. public TrackPathPainter getTrackPathPainter() { return trackPathPainter; } // For use in testing only. public void setTrackPathPainter(TrackPathPainter trackPathPainter) { this.trackPathPainter = trackPathPainter; } private void drawWaypoints(Canvas canvas, Projection projection) { synchronized (waypoints) {; for (Waypoint wpt : waypoints) { Location loc = wpt.getLocation(); drawElement(canvas, projection, LocationUtils.getGeoPoint(loc), wpt.getType() == Waypoint.TYPE_STATISTICS ? statsMarker : waypointMarker, -(markerWidth / 2) + 3, -markerHeight); } } } private void drawMyLocation(Canvas canvas, Projection projection) { // Draw the arrow icon. if (myLocation == null) { return; } Point pt = drawElement(canvas, projection, LocationUtils.getGeoPoint(myLocation), arrows[lastHeading], -(arrowWidth / 2) + 3, -(arrowHeight / 2)); // Draw the error circle. float radius = projection.metersToEquatorPixels(myLocation.getAccuracy()); canvas.drawCircle(pt.x, pt.y, radius, errorCirclePaint); } private void drawTrack(Canvas canvas, Projection projection, Rect viewRect) { boolean draw; synchronized (points) { // Merge the pending points with the list of cached locations. final GeoPoint referencePoint = projection.fromPixels(0, 0); int newPoints = pendingPoints.drainTo(points); boolean newProjection = !viewRect.equals(lastViewRect) || !referencePoint.equals(lastReferencePoint); if (newPoints == 0 && lastPathExists && !newProjection) { // No need to recreate path (same points and viewing area). draw = true; } else { int numPoints = points.size(); if (numPoints < 2) { // Not enough points to draw a path. draw = false; } else if (!trackPathPainter.needsRedraw() && lastPathExists && !newProjection) { // Incremental update of the path, without repositioning the view. draw = true; trackPathPainter.updatePath(projection, viewRect, numPoints - newPoints, alwaysVisible, points); } else { // The view has changed so we have to start from scratch. draw = true; trackPathPainter.updatePath(projection, viewRect, 0, alwaysVisible, points); } } lastReferencePoint = referencePoint; lastViewRect = viewRect; } if (draw) { trackPathPainter.drawTrack(canvas); } } // Visible for testing. Point drawElement(Canvas canvas, Projection projection, GeoPoint geoPoint, Drawable element, int offsetX, int offsetY) { Point pt = new Point(); projection.toPixels(geoPoint, pt); canvas.save(); canvas.translate(pt.x + offsetX, pt.y + offsetY); element.draw(canvas); canvas.restore(); return pt; } /** * Sets the pointer location (will be drawn on next invalidate). */ public void setMyLocation(Location myLocation) { this.myLocation = myLocation; } /** * Sets the pointer heading in degrees (will be drawn on next invalidate). * * @return true if the visible heading changed (i.e. a redraw of pointer is * potentially necessary) */ public boolean setHeading(float heading) { int newhdg = Math.round(-heading / 360 * 18 + 180); while (newhdg < 0) newhdg += 18; while (newhdg > 17) newhdg -= 18; if (newhdg != lastHeading) { lastHeading = newhdg; return true; } else { return false; } } @Override public boolean onTap(GeoPoint p, MapView mapView) { if (p.equals(mapView.getMapCenter())) { // There is (unfortunately) no good way to determine whether the tap was // caused by an actual tap on the screen or the track ball. If the // location is equal to the map center,then it was a track ball press with // very high likelihood. return false; } final Location tapLocation = LocationUtils.getLocation(p); double dmin = Double.MAX_VALUE; Waypoint waypoint = null; synchronized (waypoints) { for (int i = 0; i < waypoints.size(); i++) { final Location waypointLocation = waypoints.get(i).getLocation(); if (waypointLocation == null) { continue; } final double d = waypointLocation.distanceTo(tapLocation); if (d < dmin) { dmin = d; waypoint = waypoints.get(i); } } } if (waypoint != null && dmin < 15000000 / Math.pow(2, mapView.getZoomLevel())) { Intent intent = new Intent(context, WaypointDetails.class); intent.putExtra(WaypointDetails.WAYPOINT_ID_EXTRA, waypoint.getId()); context.startActivity(intent); return true; } return super.onTap(p, mapView); } /** * @return the points */ public List<CachedLocation> getPoints() { return points; } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(TAG, "MapOverlay: onSharedPreferences changed " + key); if (key != null) { if (key.equals(context.getString(R.string.track_color_mode_key))) { trackPathPainter = TrackPathPainterFactory.getTrackPathPainter(context); } } } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TrackDataHub; import com.google.android.apps.mytracks.content.TrackDataHub.ListenerDataType; import com.google.android.apps.mytracks.content.TrackDataListener; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.services.ServiceUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.content.SharedPreferences; import android.location.Location; import android.os.Bundle; import android.speech.tts.TextToSpeech; import android.util.DisplayMetrics; import android.util.Log; import android.view.Window; import android.widget.ScrollView; import android.widget.TextView; import java.util.EnumSet; /** * An activity that displays track statistics to the user. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public class StatsActivity extends Activity implements TrackDataListener { /** * A runnable for posting to the UI thread. Will update the total time field. */ private final Runnable updateResults = new Runnable() { public void run() { if (dataHub != null && dataHub.isRecordingSelected()) { utils.setTime(R.id.total_time_register, System.currentTimeMillis() - startTime); } } }; private StatsUtilities utils; private UIUpdateThread thread; /** * The start time of the selected track. */ private long startTime = -1; private TrackDataHub dataHub; private SharedPreferences preferences; /** * A thread that updates the total time field every second. */ private class UIUpdateThread extends Thread { public UIUpdateThread() { super(); Log.i(TAG, "Created UI update thread"); } @Override public void run() { Log.i(TAG, "Started UI update thread"); while (ServiceUtils.isRecording(StatsActivity.this, null, preferences)) { runOnUiThread(updateResults); try { Thread.sleep(1000L); } catch (InterruptedException e) { Log.w(TAG, "StatsActivity: Caught exception on sleep.", e); break; } } Log.w(TAG, "UIUpdateThread finished."); } } /** Called when the activity is first created. */ @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); preferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); utils = new StatsUtilities(this); // The volume we want to control is the Text-To-Speech volume setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); // We don't need a window title bar: requestWindowFeature(Window.FEATURE_NO_TITLE); setContentView(R.layout.stats); ScrollView sv = ((ScrollView) findViewById(R.id.scrolly)); sv.setScrollBarStyle(ScrollView.SCROLLBARS_OUTSIDE_INSET); showUnknownLocation(); updateLabels(); DisplayMetrics metrics = new DisplayMetrics(); getWindowManager().getDefaultDisplay().getMetrics(metrics); if (metrics.heightPixels > 600) { ((TextView) findViewById(R.id.speed_register)).setTextSize(80.0f); } } @Override protected void onResume() { super.onResume(); dataHub = ((MyTracksApplication) getApplication()).getTrackDataHub(); dataHub.registerTrackDataListener(this, EnumSet.of( ListenerDataType.SELECTED_TRACK_CHANGED, ListenerDataType.TRACK_UPDATES, ListenerDataType.LOCATION_UPDATES, ListenerDataType.DISPLAY_PREFERENCES)); } @Override protected void onPause() { dataHub.unregisterTrackDataListener(this); dataHub = null; if (thread != null) { thread.interrupt(); thread = null; } super.onStop(); } @Override public boolean onUnitsChanged(boolean metric) { if (utils.isMetricUnits() == metric) { return false; } utils.setMetricUnits(metric); updateLabels(); return true; } @Override public boolean onReportSpeedChanged(boolean speed) { if (utils.isReportSpeed() == speed) { return false; } utils.setReportSpeed(speed); updateLabels(); return true; } private void updateLabels() { runOnUiThread(new Runnable() { @Override public void run() { utils.updateUnits(); utils.setSpeedLabel(R.id.speed_label, R.string.stat_speed, R.string.stat_pace); utils.setSpeedLabels(); } }); } /** * Updates the given location fields (latitude, longitude, altitude) and all * other fields. * * @param l may be null (will set location fields to unknown) */ private void showLocation(Location l) { utils.setAltitude(R.id.elevation_register, l.getAltitude()); utils.setLatLong(R.id.latitude_register, l.getLatitude()); utils.setLatLong(R.id.longitude_register, l.getLongitude()); utils.setSpeed(R.id.speed_register, l.getSpeed() * UnitConversions.MS_TO_KMH); } private void showUnknownLocation() { utils.setUnknown(R.id.elevation_register); utils.setUnknown(R.id.latitude_register); utils.setUnknown(R.id.longitude_register); utils.setUnknown(R.id.speed_register); } @Override public void onSelectedTrackChanged(Track track, boolean isRecording) { /* * Checks if this activity needs to update live track data or not. * If so, make sure that: * a) a thread keeps updating the total time * b) a location listener is registered * c) a content observer is registered * Otherwise unregister listeners, observers, and kill update thread. */ final boolean startThread = (thread == null) && isRecording; final boolean killThread = (thread != null) && (!isRecording); if (startThread) { thread = new UIUpdateThread(); thread.start(); } else if (killThread) { thread.interrupt(); thread = null; } } @Override public void onCurrentLocationChanged(final Location loc) { TrackDataHub localDataHub = dataHub; if (localDataHub != null && localDataHub.isRecordingSelected()) { runOnUiThread(new Runnable() { @Override public void run() { if (loc != null) { showLocation(loc); } else { showUnknownLocation(); } } }); } } @Override public void onCurrentHeadingChanged(double heading) { // We don't care. } @Override public void onProviderStateChange(ProviderState state) { switch (state) { case DISABLED: case NO_FIX: runOnUiThread(new Runnable() { @Override public void run() { showUnknownLocation(); } }); break; } } @Override public void onTrackUpdated(final Track track) { TrackDataHub localDataHub = dataHub; final boolean recordingSelected = localDataHub != null && localDataHub.isRecordingSelected(); runOnUiThread(new Runnable() { @Override public void run() { if (track == null || track.getStatistics() == null) { utils.setAllToUnknown(); return; } startTime = track.getStatistics().getStartTime(); if (!recordingSelected) { utils.setTime(R.id.total_time_register, track.getStatistics().getTotalTime()); showUnknownLocation(); } utils.setAllStats(track.getStatistics()); } }); } @Override public void clearWaypoints() { // We don't care. } @Override public void onNewWaypoint(Waypoint wpt) { // We don't care. } @Override public void onNewWaypointsDone() { // We don't care. } @Override public void clearTrackPoints() { // We don't care. } @Override public void onNewTrackPoint(Location loc) { // We don't care. } @Override public void onSegmentSplit() { // We don't care. } @Override public void onSampledOutTrackPoint(Location loc) { // We don't care. } @Override public void onNewTrackPointsDone() { // We don't care. } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.maps.mytracks.R; import android.content.Context; import android.preference.Preference; import android.util.AttributeSet; /** * A preference for an ANT device pairing. * Currently this shows the ID and lets the user clear that ID for future pairing. * TODO: Support pairing from this preference. * * @author Sandor Dornbush */ public class AntPreference extends Preference { private final static int DEFAULT_PERSISTEDINT = 0; public AntPreference(Context context) { super(context); init(); } public AntPreference(Context context, AttributeSet attrs) { super(context, attrs); init(); } private void init() { int sensorId = getPersistedInt(AntPreference.DEFAULT_PERSISTEDINT); if (sensorId == 0) { setSummary(R.string.settings_sensor_ant_not_paired); } else { setSummary( String.format(getContext().getString(R.string.settings_sensor_ant_paired), sensorId)); } // Add actions to allow repairing. setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { AntPreference.this.persistInt(0); setSummary(R.string.settings_sensor_ant_not_paired); return true; } }); } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; /** * Constants used by the MyTracks application. * * @author Leif Hendrik Wilden */ public abstract class Constants { /** * Should be used by all log statements */ public static final String TAG = "MyTracks"; /** * Name of the top-level directory inside the SD card where our files will * be read from/written to. */ public static final String SDCARD_TOP_DIR = "MyTracks"; /* * onActivityResult request codes: */ public static final int SHOW_TRACK = 0; public static final int SHARE_GPX_FILE = 1; public static final int SHARE_KML_FILE = 2; public static final int SHARE_CSV_FILE = 3; public static final int SHARE_TCX_FILE = 4; public static final int SAVE_GPX_FILE = 5; public static final int SAVE_KML_FILE = 6; public static final int SAVE_CSV_FILE = 7; public static final int SAVE_TCX_FILE = 8; public static final int SHOW_WAYPOINT = 9; public static final int WELCOME = 10; /* * Menu ids: */ public static final int MENU_MY_LOCATION = 1; public static final int MENU_TOGGLE_LAYERS = 2; public static final int MENU_CHART_SETTINGS = 3; /* * Context menu ids. Sorted alphabetically. */ public static final int MENU_CLEAR_MAP = 100; public static final int MENU_DELETE = 101; public static final int MENU_EDIT = 102; public static final int MENU_PLAY = 103; public static final int MENU_SAVE_CSV_FILE = 104; public static final int MENU_SAVE_GPX_FILE = 105; public static final int MENU_SAVE_KML_FILE = 106; public static final int MENU_SAVE_TCX_FILE = 107; public static final int MENU_SEND_TO_GOOGLE = 108; public static final int MENU_SHARE = 109; public static final int MENU_SHARE_CSV_FILE = 110; public static final int MENU_SHARE_FUSION_TABLE = 111; public static final int MENU_SHARE_GPX_FILE = 112; public static final int MENU_SHARE_KML_FILE = 113; public static final int MENU_SHARE_MAP = 114; public static final int MENU_SHARE_TCX_FILE = 115; public static final int MENU_SHOW = 116; public static final int MENU_WRITE_TO_SD_CARD = 117; /** * The number of distance readings to smooth to get a stable signal. */ public static final int DISTANCE_SMOOTHING_FACTOR = 25; /** * The number of elevation readings to smooth to get a somewhat accurate * signal. */ public static final int ELEVATION_SMOOTHING_FACTOR = 25; /** * The number of grade readings to smooth to get a somewhat accurate signal. */ public static final int GRADE_SMOOTHING_FACTOR = 5; /** * The number of speed reading to smooth to get a somewhat accurate signal. */ public static final int SPEED_SMOOTHING_FACTOR = 25; /** * Maximum number of track points displayed by the map overlay. */ public static final int MAX_DISPLAYED_TRACK_POINTS = 10000; /** * Target number of track points displayed by the map overlay. * We may display more than this number of points. */ public static final int TARGET_DISPLAYED_TRACK_POINTS = 5000; /** * Maximum number of track points ever loaded at once from the provider into * memory. * With a recording frequency of 2 seconds, 15000 corresponds to 8.3 hours. */ public static final int MAX_LOADED_TRACK_POINTS = 20000; /** * Maximum number of track points ever loaded at once from the provider into * memory in a single call to read points. */ public static final int MAX_LOADED_TRACK_POINTS_PER_BATCH = 1000; /** * Maximum number of way points displayed by the map overlay. */ public static final int MAX_DISPLAYED_WAYPOINTS_POINTS = 128; /** * Maximum number of way points that will be loaded at one time. */ public static final int MAX_LOADED_WAYPOINTS_POINTS = 10000; /** * Any time segment where the distance traveled is less than this value will * not be considered moving. */ public static final double MAX_NO_MOVEMENT_DISTANCE = 2; /** * Anything faster than that (in meters per second) will be considered moving. */ public static final double MAX_NO_MOVEMENT_SPEED = 0.224; /** * Ignore any acceleration faster than this. * Will ignore any speeds that imply accelaration greater than 2g's * 2g = 19.6 m/s^2 = 0.0002 m/ms^2 = 0.02 m/(m*ms) */ public static final double MAX_ACCELERATION = 0.02; /** Maximum age of a GPS location to be considered current. */ public static final long MAX_LOCATION_AGE_MS = 60 * 1000; // 1 minute /** Maximum age of a network location to be considered current. */ public static final long MAX_NETWORK_AGE_MS = 1000 * 60 * 10; // 10 minutes /** * The type of account that we can use for gdata uploads. */ public static final String ACCOUNT_TYPE = "com.google"; /** * The name of extra intent property to indicate whether we want to resume * a previously recorded track. */ public static final String RESUME_TRACK_EXTRA_NAME = "com.google.android.apps.mytracks.RESUME_TRACK"; public static int getActionFromMenuId(int menuId) { switch (menuId) { case Constants.MENU_SHARE_KML_FILE: return Constants.SHARE_KML_FILE; case Constants.MENU_SHARE_GPX_FILE: return Constants.SHARE_GPX_FILE; case Constants.MENU_SHARE_CSV_FILE: return Constants.SHARE_CSV_FILE; case Constants.MENU_SHARE_TCX_FILE: return Constants.SHARE_TCX_FILE; case Constants.MENU_SAVE_GPX_FILE: return Constants.SAVE_GPX_FILE; case Constants.MENU_SAVE_KML_FILE: return Constants.SAVE_KML_FILE; case Constants.MENU_SAVE_CSV_FILE: return Constants.SAVE_CSV_FILE; case Constants.MENU_SAVE_TCX_FILE: return Constants.SAVE_TCX_FILE; default: return -1; } } public static final String MAPSHOP_BASE_URL = "https://maps.google.com/maps/ms"; /* * Default values - keep in sync with those in preferences.xml. */ public static final int DEFAULT_ANNOUNCEMENT_FREQUENCY = -1; public static final int DEFAULT_AUTO_RESUME_TRACK_TIMEOUT = 10; // In min. public static final int DEFAULT_MAX_RECORDING_DISTANCE = 200; public static final int DEFAULT_MIN_RECORDING_DISTANCE = 5; public static final int DEFAULT_MIN_RECORDING_INTERVAL = 0; public static final int DEFAULT_MIN_REQUIRED_ACCURACY = 200; public static final int DEFAULT_SPLIT_FREQUENCY = 0; public static final String SETTINGS_NAME = "SettingsActivity"; /** * This is an abstract utility class. */ protected Constants() { } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static android.content.Intent.ACTION_BOOT_COMPLETED; import static com.google.android.apps.mytracks.Constants.RESUME_TRACK_EXTRA_NAME; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.services.RemoveTempFilesService; import com.google.android.apps.mytracks.services.TrackRecordingService; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.util.Log; /** * This class handles MyTracks related broadcast messages. * * One example of a broadcast message that this class is interested in, * is notification about the phone boot. We may want to resume a previously * started tracking session if the phone crashed (hopefully not), or the user * decided to swap the battery or some external event occurred which forced * a phone reboot. * * This class simply delegates to {@link TrackRecordingService} to make a * decision whether to continue with the previous track (if any), or just * abandon it. * * @author Bartlomiej Niechwiej */ public class BootReceiver extends BroadcastReceiver { @Override public void onReceive(Context context, Intent intent) { Log.d(TAG, "BootReceiver.onReceive: " + intent.getAction()); if (ACTION_BOOT_COMPLETED.equals(intent.getAction())) { Intent startIntent = new Intent(context, TrackRecordingService.class); startIntent.putExtra(RESUME_TRACK_EXTRA_NAME, true); context.startService(startIntent); Intent removeTempFilesIntent = new Intent(context, RemoveTempFilesService.class); context.startService(removeTempFilesIntent); } else { Log.w(TAG, "BootReceiver: unsupported action"); } } }
Java
package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.os.Bundle; import android.util.DisplayMetrics; import android.util.Log; import android.view.Window; import android.widget.ScrollView; import android.widget.TextView; import java.util.List; /** * Activity for viewing the combined statistics for all the recorded tracks. * * Other features to add - menu items to change setings. * * @author Fergus Nelson */ public class AggregatedStatsActivity extends Activity implements OnSharedPreferenceChangeListener { private final StatsUtilities utils; private MyTracksProviderUtils tracksProvider; private boolean metricUnits = true; public AggregatedStatsActivity() { this.utils = new StatsUtilities(this); } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(Constants.TAG, "StatsActivity: onSharedPreferences changed " + key); if (key != null) { if (key.equals(getString(R.string.metric_units_key))) { metricUnits = sharedPreferences.getBoolean( getString(R.string.metric_units_key), true); utils.setMetricUnits(metricUnits); utils.updateUnits(); loadAggregatedStats(); } } } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); this.tracksProvider = MyTracksProviderUtils.Factory.get(this); // We don't need a window title bar: requestWindowFeature(Window.FEATURE_NO_TITLE); setContentView(R.layout.stats); ScrollView sv = ((ScrollView) findViewById(R.id.scrolly)); sv.setScrollBarStyle(ScrollView.SCROLLBARS_OUTSIDE_INSET); SharedPreferences preferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences != null) { metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); preferences.registerOnSharedPreferenceChangeListener(this); } utils.setMetricUnits(metricUnits); utils.updateUnits(); utils.setSpeedLabel(R.id.speed_label, R.string.stat_speed, R.string.stat_pace); utils.setSpeedLabels(); DisplayMetrics metrics = new DisplayMetrics(); getWindowManager().getDefaultDisplay().getMetrics(metrics); if (metrics.heightPixels > 600) { ((TextView) findViewById(R.id.speed_register)).setTextSize(80.0f); } loadAggregatedStats(); } /** * 1. Reads tracks from the db * 2. Merges the trip stats from the tracks * 3. Updates the view */ private void loadAggregatedStats() { List<Track> tracks = retrieveTracks(); TripStatistics rollingStats = null; if (!tracks.isEmpty()) { rollingStats = new TripStatistics(tracks.iterator().next() .getStatistics()); for (int i = 1; i < tracks.size(); i++) { rollingStats.merge(tracks.get(i).getStatistics()); } } updateView(rollingStats); } private List<Track> retrieveTracks() { return tracksProvider.getAllTracks(); } private void updateView(TripStatistics aggStats) { if (aggStats != null) { utils.setAllStats(aggStats); } } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.services.sensors.SensorManager; import com.google.android.apps.mytracks.services.sensors.SensorManagerFactory; import com.google.android.apps.mytracks.services.sensors.SensorUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import com.google.protobuf.InvalidProtocolBufferException; import android.app.Activity; import android.os.Bundle; import android.os.RemoteException; import android.util.Log; import android.widget.TextView; import java.util.Timer; import java.util.TimerTask; /** * An activity that displays information about sensors. * * @author Sandor Dornbush */ public class SensorStateActivity extends Activity { private static final long REFRESH_PERIOD_MS = 250; private final StatsUtilities utils; /** * This timer periodically invokes the refresh timer task. */ private Timer timer; private final Runnable stateUpdater = new Runnable() { public void run() { if (isVisible) // only update when UI is visible updateState(); } }; /** * Connection to the recording service. */ private TrackRecordingServiceConnection serviceConnection; /** * A task which will update the U/I. */ private class RefreshTask extends TimerTask { @Override public void run() { runOnUiThread(stateUpdater); } }; /** * A temporary sensor manager, when none is available. */ private SensorManager tempSensorManager = null; /** * A state flag set to true when the activity is active/visible, * i.e. after resume, and before pause * * Used to avoid updating after the pause event, because sometimes an update * event occurs even after the timer is cancelled. In this case, * it could cause the {@link #tempSensorManager} to be recreated, after it * is destroyed at the pause event. */ private boolean isVisible = false; public SensorStateActivity() { utils = new StatsUtilities(this); Log.w(TAG, "SensorStateActivity()"); } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Log.w(TAG, "SensorStateActivity.onCreate"); setContentView(R.layout.sensor_state); serviceConnection = new TrackRecordingServiceConnection(this, stateUpdater); serviceConnection.bindIfRunning(); updateState(); } @Override protected void onResume() { super.onResume(); isVisible = true; serviceConnection.bindIfRunning(); timer = new Timer(); timer.schedule(new RefreshTask(), REFRESH_PERIOD_MS, REFRESH_PERIOD_MS); } @Override protected void onPause() { isVisible = false; timer.cancel(); timer.purge(); timer = null; stopTempSensorManager(); super.onPause(); } @Override protected void onDestroy() { serviceConnection.unbind(); super.onDestroy(); } private void updateState() { Log.d(TAG, "Updating SensorStateActivity"); ITrackRecordingService service = serviceConnection.getServiceIfBound(); // Check if service is available, and recording. boolean isRecording = false; if (service != null) { try { isRecording = service.isRecording(); } catch (RemoteException e) { Log.e(TAG, "Unable to determine if service is recording.", e); } } // If either service isn't available, or not recording. if (!isRecording) { updateFromTempSensorManager(); } else { updateFromSysSensorManager(); } } private void updateFromTempSensorManager() { // Use variables to hold the sensor state and data set. Sensor.SensorState currentState = null; Sensor.SensorDataSet currentDataSet = null; // If no temp sensor manager is present, create one, and start it. if (tempSensorManager == null) { tempSensorManager = SensorManagerFactory.getInstance().getSensorManager(this); } // If a temp sensor manager is available, use states from temp sensor // manager. if (tempSensorManager != null) { currentState = tempSensorManager.getSensorState(); currentDataSet = tempSensorManager.getSensorDataSet(); } // Update the sensor state, and sensor data, using the variables. updateSensorStateAndData(currentState, currentDataSet); } private void updateFromSysSensorManager() { // Use variables to hold the sensor state and data set. Sensor.SensorState currentState = null; Sensor.SensorDataSet currentDataSet = null; ITrackRecordingService service = serviceConnection.getServiceIfBound(); // If a temp sensor manager is present, shut it down, // probably recording just started. stopTempSensorManager(); // Get sensor details from the service. if (service == null) { Log.d(TAG, "Could not get track recording service."); } else { try { byte[] buff = service.getSensorData(); if (buff != null) { currentDataSet = Sensor.SensorDataSet.parseFrom(buff); } } catch (RemoteException e) { Log.e(TAG, "Could not read sensor data.", e); } catch (InvalidProtocolBufferException e) { Log.e(TAG, "Could not read sensor data.", e); } try { currentState = Sensor.SensorState.valueOf(service.getSensorState()); } catch (RemoteException e) { Log.e(TAG, "Could not read sensor state.", e); currentState = Sensor.SensorState.NONE; } } // Update the sensor state, and sensor data, using the variables. updateSensorStateAndData(currentState, currentDataSet); } /** * Stops the temporary sensor manager, if one exists. */ private void stopTempSensorManager() { if (tempSensorManager != null) { SensorManagerFactory.getInstance().releaseSensorManager(tempSensorManager); tempSensorManager = null; } } private void updateSensorStateAndData(Sensor.SensorState state, Sensor.SensorDataSet dataSet) { updateSensorState(state == null ? Sensor.SensorState.NONE : state); updateSensorData(dataSet); } private void updateSensorState(Sensor.SensorState state) { ((TextView) findViewById(R.id.sensor_state)).setText(SensorUtils.getStateAsString(state, this)); } private void updateSensorData(Sensor.SensorDataSet sds) { if (sds == null) { utils.setUnknown(R.id.sensor_state_last_sensor_time); utils.setUnknown(R.id.sensor_state_power); utils.setUnknown(R.id.sensor_state_cadence); utils.setUnknown(R.id.sensor_state_battery); } else { ((TextView) findViewById(R.id.sensor_state_last_sensor_time)).setText(getLastSensorTime(sds)); ((TextView) findViewById(R.id.sensor_state_power)).setText(getPower(sds)); ((TextView) findViewById(R.id.sensor_state_cadence)).setText(getCadence(sds)); ((TextView) findViewById(R.id.sensor_state_heart_rate)).setText(getHeartRate(sds)); ((TextView) findViewById(R.id.sensor_state_battery)).setText(getBattery(sds)); } } /** * Gets the last sensor time. * * @param sds sensor data set */ private String getLastSensorTime(Sensor.SensorDataSet sds) { return StringUtils.formatTime(this, sds.getCreationTime()); } /** * Gets the power. * * @param sds sensor data set */ private String getPower(Sensor.SensorDataSet sds) { String value; if (sds.hasPower() && sds.getPower().hasValue() && sds.getPower().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_power_value); value = String.format(format, sds.getPower().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasPower() ? sds.getPower().getState() : Sensor.SensorState.NONE, this); } return value; } /** * Gets the cadence. * * @param sds sensor data set */ private String getCadence(Sensor.SensorDataSet sds) { String value; if (sds.hasCadence() && sds.getCadence().hasValue() && sds.getCadence().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_cadence_value); value = String.format(format, sds.getCadence().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasCadence() ? sds.getCadence().getState() : Sensor.SensorState.NONE, this); } return value; } /** * Gets the heart rate. * * @param sds sensor data set */ private String getHeartRate(Sensor.SensorDataSet sds) { String value; if (sds.hasHeartRate() && sds.getHeartRate().hasValue() && sds.getHeartRate().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_heart_rate_value); value = String.format(format, sds.getHeartRate().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasHeartRate() ? sds.getHeartRate().getState() : Sensor.SensorState.NONE, this); } return value; } /** * Gets the battery. * * @param sds sensor data set */ private String getBattery(Sensor.SensorDataSet sds) { String value; if (sds.hasBatteryLevel() && sds.getBatteryLevel().hasValue() && sds.getBatteryLevel().getState() == Sensor.SensorState.SENDING) { String format = getString(R.string.sensor_state_battery_value); value = String.format(format, sds.getBatteryLevel().getValue()); } else { value = SensorUtils.getStateAsString( sds.hasBatteryLevel() ? sds.getBatteryLevel().getState() : Sensor.SensorState.NONE, this); } return value; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import com.google.android.apps.mytracks.MapOverlay.CachedLocation; import com.google.android.maps.GeoPoint; import com.google.android.maps.Projection; import com.google.android.maps.mytracks.R; import android.content.Context; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Path; import android.graphics.Point; import android.graphics.Rect; import java.util.List; /** * A path painter that not variates the path colors. * * @author Vangelis S. */ public class SingleColorTrackPathPainter implements TrackPathPainter { private final Paint selectedTrackPaint; private Path path; public SingleColorTrackPathPainter(Context context) { selectedTrackPaint = TrackPathUtilities.getPaint(R.color.red, context); } @Override public void drawTrack(Canvas canvas) { canvas.drawPath(path, selectedTrackPaint); } @Override public void updatePath(Projection projection, Rect viewRect, int startLocationIdx, Boolean alwaysVisible, List<CachedLocation> points) { // Whether to start a new segment on new valid and visible point. boolean newSegment = startLocationIdx <= 0 || !points.get(startLocationIdx - 1).valid; boolean lastVisible = !newSegment; final Point pt = new Point(); // Loop over track points. int numPoints = points.size(); path = newPath(); path.incReserve(numPoints); for (int i = startLocationIdx; i < numPoints ; ++i) { CachedLocation loc = points.get(i); // Check if valid, if not then indicate a new segment. if (!loc.valid) { newSegment = true; continue; } final GeoPoint geoPoint = loc.geoPoint; // Check if this breaks the existing segment. boolean visible = alwaysVisible || viewRect.contains(geoPoint.getLongitudeE6(), geoPoint.getLatitudeE6()); if (!visible && !lastVisible) { // This is a point outside view not connected to a visible one. newSegment = true; } lastVisible = visible; // Either move to beginning of a new segment or continue the old one. projection.toPixels(geoPoint, pt); if (newSegment) { path.moveTo(pt.x, pt.y); newSegment = false; } else { path.lineTo(pt.x, pt.y); } } } @Override public void clear() { path = null; } @Override public boolean needsRedraw() { return false; } @Override public Path getLastPath() { return path; } // Visible for testing public Path newPath() { return new Path(); } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import com.google.android.apps.mytracks.ColoredPath; import com.google.android.apps.mytracks.MapOverlay.CachedLocation; import com.google.android.maps.GeoPoint; import com.google.android.maps.Projection; import com.google.android.maps.mytracks.R; import android.content.Context; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Path; import android.graphics.Point; import android.graphics.Rect; import java.util.ArrayList; import java.util.List; /** * A path painter that varies the path colors based on fixed speeds or average speed margin * depending of the TrackPathDescriptor passed to its constructor. * * @author Vangelis S. */ public class DynamicSpeedTrackPathPainter implements TrackPathPainter { private final Paint selectedTrackPaintSlow; private final Paint selectedTrackPaintMedium; private final Paint selectedTrackPaintFast; private final List<ColoredPath> coloredPaths; private final TrackPathDescriptor trackPathDescriptor; private int slowSpeed; private int normalSpeed; public DynamicSpeedTrackPathPainter (Context context, TrackPathDescriptor trackPathDescriptor) { this.trackPathDescriptor = trackPathDescriptor; selectedTrackPaintSlow = TrackPathUtilities.getPaint(R.color.slow_path, context); selectedTrackPaintMedium = TrackPathUtilities.getPaint(R.color.normal_path, context); selectedTrackPaintFast = TrackPathUtilities.getPaint(R.color.fast_path, context); this.coloredPaths = new ArrayList<ColoredPath>(); } @Override public void drawTrack(Canvas canvas) { for(int i = 0; i < coloredPaths.size(); ++i) { ColoredPath coloredPath = coloredPaths.get(i); canvas.drawPath(coloredPath.getPath(), coloredPath.getPathPaint()); } } @Override public void updatePath(Projection projection, Rect viewRect, int startLocationIdx, Boolean alwaysVisible, List<CachedLocation> points) { // Whether to start a new segment on new valid and visible point. boolean newSegment = startLocationIdx <= 0 || !points.get(startLocationIdx - 1).valid; boolean lastVisible = !newSegment; final Point pt = new Point(); clear(); slowSpeed = trackPathDescriptor.getSlowSpeed(); normalSpeed = trackPathDescriptor.getNormalSpeed(); // Loop over track points. for (int i = startLocationIdx; i < points.size(); ++i) { CachedLocation loc = points.get(i); // Check if valid, if not then indicate a new segment. if (!loc.valid) { newSegment = true; continue; } final GeoPoint geoPoint = loc.geoPoint; // Check if this breaks the existing segment. boolean visible = alwaysVisible || viewRect.contains( geoPoint.getLongitudeE6(), geoPoint.getLatitudeE6()); if (!visible && !lastVisible) { // This is a point outside view not connected to a visible one. newSegment = true; } lastVisible = visible; // Either move to beginning of a new segment or continue the old one. if (newSegment) { projection.toPixels(geoPoint, pt); newSegment = false; } else { ColoredPath coloredPath; if(loc.speed <= slowSpeed) { coloredPath = new ColoredPath(selectedTrackPaintSlow); } else if(loc.speed <= normalSpeed) { coloredPath = new ColoredPath(selectedTrackPaintMedium); } else { coloredPath = new ColoredPath(selectedTrackPaintFast); } coloredPath.getPath().moveTo(pt.x, pt.y); projection.toPixels(geoPoint, pt); coloredPath.getPath().lineTo(pt.x, pt.y); coloredPaths.add(coloredPath); } } } @Override public void clear() { coloredPaths.clear(); } @Override public boolean needsRedraw() { return trackPathDescriptor.needsRedraw(); } @Override public Path getLastPath() { Path path = new Path(); for(int i = 0; i < coloredPaths.size(); ++i) { path.addPath(coloredPaths.get(i).getPath()); } return path; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; /** * An interface for classes which describe how to draw a track path. * * @author Vangelis S. */ public interface TrackPathDescriptor { /** * @return The maximum speed which is considered slow. */ int getSlowSpeed(); /** * @return The maximum speed which is considered normal. */ int getNormalSpeed(); /** * @return True if the path needs to be updated. */ boolean needsRedraw(); }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import android.content.Context; import android.graphics.Paint; /** * Various utility functions for TrackPath painting. * * @author Vangelis S. */ public class TrackPathUtilities { public static Paint getPaint(int id, Context context) { Paint paint = new Paint(); paint.setColor(context.getResources().getColor(id)); paint.setStrokeWidth(3); paint.setStyle(Paint.Style.STROKE); paint.setAntiAlias(true); return paint; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import com.google.android.apps.mytracks.MapOverlay.CachedLocation; import com.google.android.maps.Projection; import android.graphics.Canvas; import android.graphics.Path; import android.graphics.Rect; import java.util.List; /** * An interface for classes which paint the track path. * * @author Vangelis S. */ public interface TrackPathPainter { /** * Clears the related data. */ void clear(); /** * Draws the path to the canvas. * @param canvas The Canvas to draw upon */ void drawTrack(Canvas canvas); /** * Updates the path. * @param projection The Canvas to draw upon. * @param viewRect The Path to be drawn. * @param startLocationIdx The start point from where update the path. * @param alwaysVisible Flag for alwaysvisible. * @param points The list of points used to update the path. */ void updatePath(Projection projection, Rect viewRect, int startLocationIdx, Boolean alwaysVisible, List<CachedLocation> points); /** * @return True if the path needs to be updated. */ boolean needsRedraw(); /** * @return The path being used currently. */ Path getLastPath(); }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.util.Log; /** * A fixed speed path descriptor. * * @author Vangelis S. */ public class FixedSpeedTrackPathDescriptor implements TrackPathDescriptor, OnSharedPreferenceChangeListener { private int slowSpeed; private int normalSpeed; private final int slowDefault; private final int normalDefault; private final Context context; public FixedSpeedTrackPathDescriptor(Context context) { this.context = context; slowDefault = Integer.parseInt(context.getString(R.string.color_mode_fixed_slow_default)); normalDefault = Integer.parseInt(context.getString(R.string.color_mode_fixed_medium_default)); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { slowSpeed = slowDefault; normalSpeed = normalDefault; return; } prefs.registerOnSharedPreferenceChangeListener(this); try { slowSpeed = Integer.parseInt(prefs.getString(context.getString( R.string.track_color_mode_fixed_speed_slow_key), Integer.toString(slowDefault))); } catch (NumberFormatException e) { slowSpeed = slowDefault; } try { normalSpeed = Integer.parseInt(prefs.getString(context.getString( R.string.track_color_mode_fixed_speed_medium_key), Integer.toString(normalDefault))); } catch (NumberFormatException e) { normalSpeed = normalDefault; } } /** * Gets the slow speed for reference. * @return The speed limit considered as slow. */ public int getSlowSpeed() { return slowSpeed; } /** * Gets the normal speed for reference. * @return The speed limit considered as normal. */ public int getNormalSpeed() { return normalSpeed; } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(TAG, "FixedSpeedTrackPathDescriptor: onSharedPreferences changed " + key); if (key == null || (!key.equals(context.getString(R.string.track_color_mode_fixed_speed_slow_key)) && !key.equals(context.getString(R.string.track_color_mode_fixed_speed_medium_key)))) { return; } SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { slowSpeed = slowDefault; normalSpeed = normalDefault; return; } try { slowSpeed = Integer.parseInt(prefs.getString(context.getString( R.string.track_color_mode_fixed_speed_slow_key), Integer.toString(slowDefault))); } catch (NumberFormatException e) { slowSpeed = slowDefault; } try { normalSpeed = Integer.parseInt(prefs.getString(context.getString( R.string.track_color_mode_fixed_speed_medium_key), Integer.toString(normalDefault))); } catch (NumberFormatException e) { normalSpeed = normalDefault; } } @Override public boolean needsRedraw() { return false; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A factory for TrackPathPainters. * * @author Vangelis S. */ public class TrackPathPainterFactory { private TrackPathPainterFactory() { } /** * Get a new TrackPathPainter. * @param context Context to fetch system preferences. * @return The TrackPathPainter that corresponds to the track color mode setting. */ public static TrackPathPainter getTrackPathPainter(Context context) { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { return new SingleColorTrackPathPainter(context); } String colorMode = prefs.getString(context.getString(R.string.track_color_mode_key), null); Log.i(TAG, "Creating track path painter of type: " + colorMode); if (colorMode == null || colorMode.equals(context.getString(R.string.display_track_color_value_none))) { return new SingleColorTrackPathPainter(context); } else if (colorMode.equals(context.getString(R.string.display_track_color_value_fixed))) { return new DynamicSpeedTrackPathPainter(context, new FixedSpeedTrackPathDescriptor(context)); } else if (colorMode.equals(context.getString(R.string.display_track_color_value_dynamic))) { return new DynamicSpeedTrackPathPainter(context, new DynamicSpeedTrackPathDescriptor(context)); } else { Log.w(TAG, "Using default track path painter. Unrecognized painter: " + colorMode); return new SingleColorTrackPathPainter(context); } } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.maps; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.util.Log; /** * A dynamic speed path descriptor. * * @author Vangelis S. */ public class DynamicSpeedTrackPathDescriptor implements TrackPathDescriptor, OnSharedPreferenceChangeListener { private int slowSpeed; private int normalSpeed; private int speedMargin; private final int speedMarginDefault; private double averageMovingSpeed; private final Context context; @VisibleForTesting static final int CRITICAL_DIFFERENCE_PERCENTAGE = 20; public DynamicSpeedTrackPathDescriptor(Context context) { this.context = context; speedMarginDefault = Integer.parseInt(context .getString(R.string.color_mode_dynamic_percentage_default)); SharedPreferences prefs = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { speedMargin = speedMarginDefault; return; } prefs.registerOnSharedPreferenceChangeListener(this); speedMargin = getSpeedMargin(prefs); } @VisibleForTesting int getSpeedMargin(SharedPreferences sharedPreferences) { try { return Integer.parseInt(sharedPreferences.getString( context.getString(R.string.track_color_mode_dynamic_speed_variation_key), Integer.toString(speedMarginDefault))); } catch (NumberFormatException e) { return speedMarginDefault; } } /** * Get the slow speed calculated based on the % below the average speed. * * @return The speed limit considered as slow. */ public int getSlowSpeed() { slowSpeed = (int) (averageMovingSpeed - (averageMovingSpeed * speedMargin / 100)); return slowSpeed; } /** * Gets the medium speed calculated based on the % above the average speed. * * @return The speed limit considered as normal. */ public int getNormalSpeed() { normalSpeed = (int) (averageMovingSpeed + (averageMovingSpeed * speedMargin / 100)); return normalSpeed; } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(TAG, "DynamicSpeedTrackPathDescriptor: onSharedPreferences changed " + key); if (key == null || !key.equals(context.getString(R.string.track_color_mode_dynamic_speed_variation_key))) { return; } SharedPreferences prefs = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { speedMargin = speedMarginDefault; return; } speedMargin = getSpeedMargin(prefs); } @Override public boolean needsRedraw() { SharedPreferences prefs = context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); long currentTrackId = prefs.getLong(context.getString(R.string.selected_track_key), -1); if (currentTrackId == -1) { // Could not find track. return false; } Track track = MyTracksProviderUtils.Factory.get(context).getTrack(currentTrackId); TripStatistics stats = track.getStatistics(); double newAverageMovingSpeed = (int) Math.floor( stats.getAverageMovingSpeed() * UnitConversions.MS_TO_KMH); return isDifferenceSignificant(averageMovingSpeed, newAverageMovingSpeed); } /** * Checks whether the old speed and the new speed differ significantly or not. */ public boolean isDifferenceSignificant(double oldAverageMovingSpeed, double newAverageMovingSpeed) { if (oldAverageMovingSpeed == 0) { if (newAverageMovingSpeed == 0) { return false; } else { averageMovingSpeed = newAverageMovingSpeed; return true; } } // Here, both oldAverageMovingSpeed and newAverageMovingSpeed are not zero. double maxValue = Math.max(oldAverageMovingSpeed, newAverageMovingSpeed); double differencePercentage = Math.abs(oldAverageMovingSpeed - newAverageMovingSpeed) / maxValue * 100; if (differencePercentage >= CRITICAL_DIFFERENCE_PERCENTAGE) { averageMovingSpeed = newAverageMovingSpeed; return true; } return false; } /** * Gets the value of variable speedMargin to check the result of test. * @return the value of speedMargin. */ @VisibleForTesting int getSpeedMargin() { return speedMargin; } /** * Sets the value of newAverageMovingSpeed to test the method isDifferenceSignificant. * @param newAverageMovingSpeed the value to set. */ @VisibleForTesting void setAverageMovingSpeed(double newAverageMovingSpeed) { averageMovingSpeed = newAverageMovingSpeed; } /** * Gets the value of averageMovingSpeed to check the result of test. * * @return the value of averageMovingSpeed */ @VisibleForTesting double getAverageMovingSpeed() { return averageMovingSpeed; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.util.SystemUtils; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.content.ServiceConnection; import android.os.IBinder; import android.os.IBinder.DeathRecipient; import android.os.RemoteException; import android.util.Log; /** * Wrapper for the connection to the track recording service. * This handles connection/disconnection internally, only returning a real * service for use if one is available and connected. * * @author Rodrigo Damazio */ public class TrackRecordingServiceConnection { private ITrackRecordingService boundService; private final DeathRecipient deathRecipient = new DeathRecipient() { @Override public void binderDied() { Log.d(TAG, "Service died"); setBoundService(null); } }; private final ServiceConnection serviceConnection = new ServiceConnection() { @Override public void onServiceConnected(ComponentName className, IBinder service) { Log.i(TAG, "Connected to service"); try { service.linkToDeath(deathRecipient, 0); } catch (RemoteException e) { Log.e(TAG, "Failed to bind a death recipient", e); } setBoundService(ITrackRecordingService.Stub.asInterface(service)); } @Override public void onServiceDisconnected(ComponentName className) { Log.i(TAG, "Disconnected from service"); setBoundService(null); } }; private final Context context; private final Runnable bindChangedCallback; /** * Constructor. * * @param context the current context * @param bindChangedCallback a callback to be executed when the state of the * service binding changes */ public TrackRecordingServiceConnection(Context context, Runnable bindChangedCallback) { this.context = context; this.bindChangedCallback = bindChangedCallback; } /** * Binds to the service, starting it if necessary. */ public void startAndBind() { bindService(true); } /** * Binds to the service, only if it's already running. */ public void bindIfRunning() { bindService(false); } /** * Unbinds from and stops the service. */ public void stop() { unbind(); Log.d(TAG, "Stopping service"); Intent intent = new Intent(context, TrackRecordingService.class); context.stopService(intent); } /** * Unbinds from the service (but leaves it running). */ public void unbind() { Log.d(TAG, "Unbinding from the service"); try { context.unbindService(serviceConnection); } catch (IllegalArgumentException e) { // Means we weren't bound, which is ok. } setBoundService(null); } /** * Returns the service if connected to it, or null if not connected. */ public ITrackRecordingService getServiceIfBound() { checkBindingAlive(); return boundService; } private void checkBindingAlive() { if (boundService != null && !boundService.asBinder().isBinderAlive()) { setBoundService(null); } } private void bindService(boolean startIfNeeded) { if (boundService != null) { // Already bound. return; } if (!startIfNeeded && !ServiceUtils.isServiceRunning(context)) { // Not running, start not requested. Log.d(TAG, "Service not running, not binding to it."); return; } if (startIfNeeded) { Log.i(TAG, "Starting the service"); Intent intent = new Intent(context, TrackRecordingService.class); context.startService(intent); } Log.i(TAG, "Binding to the service"); Intent intent = new Intent(context, TrackRecordingService.class); int flags = SystemUtils.isRelease(context) ? 0 : Context.BIND_DEBUG_UNBIND; context.bindService(intent, serviceConnection, flags); } private void setBoundService(ITrackRecordingService service) { boundService = service; if (bindChangedCallback != null) { bindChangedCallback.run(); } } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; /** * This is a simple location listener policy that will always dictate the same * polling interval. * * @author Sandor Dornbush */ public class AbsoluteLocationListenerPolicy implements LocationListenerPolicy { /** * The interval to request for gps signal. */ private final long interval; /** * @param interval The interval to request for gps signal */ public AbsoluteLocationListenerPolicy(final long interval) { this.interval = interval; } /** * @return The interval given in the constructor */ public long getDesiredPollingInterval() { return interval; } /** * Discards the idle time. */ public void updateIdleTime(long idleTime) { } /** * Returns the minimum distance between updates. * Get all updates to properly measure moving time. */ public int getMinDistance() { return 0; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.FileUtils; import com.google.common.annotations.VisibleForTesting; import android.app.AlarmManager; import android.app.PendingIntent; import android.app.Service; import android.content.Context; import android.content.Intent; import android.os.AsyncTask; import android.os.Environment; import android.os.IBinder; import android.util.Log; import java.io.File; /** * A service to remove My Tracks temp files older than one hour on the SD card. * * @author Jimmy Shih */ public class RemoveTempFilesService extends Service { private static final String TAG = RemoveTempFilesService.class.getSimpleName(); private static final int ONE_HOUR_IN_MILLISECONDS = 60 * 60 * 1000; private RemoveTempFilesAsyncTask removeTempFilesAsyncTask = null; @Override public int onStartCommand(Intent intent, int flags, int startId) { // Setup an alarm to repeatedly call this service Intent alarmIntent = new Intent(this, RemoveTempFilesService.class); PendingIntent pendingIntent = PendingIntent.getService( this, 0, alarmIntent, PendingIntent.FLAG_CANCEL_CURRENT); AlarmManager alarmManager = (AlarmManager) getSystemService(Context.ALARM_SERVICE); alarmManager.setInexactRepeating(AlarmManager.RTC_WAKEUP, System.currentTimeMillis() + ONE_HOUR_IN_MILLISECONDS, AlarmManager.INTERVAL_HOUR, pendingIntent); // Invoke the AsyncTask to cleanup the temp files if (removeTempFilesAsyncTask == null || removeTempFilesAsyncTask.getStatus().equals(AsyncTask.Status.FINISHED)) { removeTempFilesAsyncTask = new RemoveTempFilesAsyncTask(); removeTempFilesAsyncTask.execute((Void[]) null); } return START_NOT_STICKY; } @Override public IBinder onBind(Intent intent) { return null; } private class RemoveTempFilesAsyncTask extends AsyncTask<Void, Void, Void> { @Override protected Void doInBackground(Void... params) { if (!Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) { // Can't do anything return null; } cleanTempDirectory(TrackFileFormat.GPX.getExtension()); cleanTempDirectory(TrackFileFormat.KML.getExtension()); cleanTempDirectory(TrackFileFormat.CSV.getExtension()); cleanTempDirectory(TrackFileFormat.TCX.getExtension()); return null; } @Override protected void onPostExecute(Void result) { stopSelf(); } } private void cleanTempDirectory(String name) { FileUtils fileUtils = new FileUtils(); String dirName = fileUtils.buildExternalDirectoryPath(name, "tmp"); File dir = new File(dirName); cleanTempDirectory(dir); } /** * Removes temp files in a directory older than one hour. * * @param dir the directory * @return the number of files removed. */ @VisibleForTesting int cleanTempDirectory(File dir) { if (!dir.exists()) { return 0; } int count = 0; long oneHourAgo = System.currentTimeMillis() - ONE_HOUR_IN_MILLISECONDS; for (File f : dir.listFiles()) { if (f.lastModified() < oneHourAgo) { if (!f.delete()) { Log.e(TAG, "Unable to delete file: " + f.getAbsolutePath()); } else { count++; } } } return count; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.content.SharedPreferences; import java.text.SimpleDateFormat; /** * Creates a default track name based on the track name setting. * * @author Matthew Simmons */ public class DefaultTrackNameFactory { @VisibleForTesting static final String ISO_8601_FORMAT = "yyyy-MM-dd HH:mm"; private final Context context; public DefaultTrackNameFactory(Context context) { this.context = context; } /** * Gets the default track name. * * @param trackId the track id * @param startTime the track start time */ public String getDefaultTrackName(long trackId, long startTime) { String trackNameSetting = getTrackNameSetting(); if (trackNameSetting.equals( context.getString(R.string.settings_recording_track_name_date_local_value))) { return StringUtils.formatDateTime(context, startTime); } else if (trackNameSetting.equals( context.getString(R.string.settings_recording_track_name_date_iso_8601_value))) { SimpleDateFormat dateFormat = new SimpleDateFormat(ISO_8601_FORMAT); return dateFormat.format(startTime); } else { // trackNameSetting equals // R.string.settings_recording_track_name_number_value return String.format(context.getString(R.string.track_name_format), trackId); } } /** * Gets the track name setting. */ @VisibleForTesting String getTrackNameSetting() { SharedPreferences sharedPreferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return sharedPreferences.getString( context.getString(R.string.track_name_key), context.getString(R.string.settings_recording_track_name_date_local_value)); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; import android.util.Log; /** * A class that manages reading the shared preferences for the service. * * @author Sandor Dornbush */ public class PreferenceManager implements OnSharedPreferenceChangeListener { private TrackRecordingService service; private SharedPreferences sharedPreferences; private final String announcementFrequencyKey; private final String autoResumeTrackCurrentRetryKey; private final String autoResumeTrackTimeoutKey; private final String maxRecordingDistanceKey; private final String metricUnitsKey; private final String minRecordingDistanceKey; private final String minRecordingIntervalKey; private final String minRequiredAccuracyKey; private final String recordingTrackKey; private final String selectedTrackKey; private final String splitFrequencyKey; public PreferenceManager(TrackRecordingService service) { this.service = service; this.sharedPreferences = service.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (sharedPreferences == null) { Log.w(Constants.TAG, "TrackRecordingService: Couldn't get shared preferences."); throw new IllegalStateException("Couldn't get shared preferences"); } sharedPreferences.registerOnSharedPreferenceChangeListener(this); announcementFrequencyKey = service.getString(R.string.announcement_frequency_key); autoResumeTrackCurrentRetryKey = service.getString(R.string.auto_resume_track_current_retry_key); autoResumeTrackTimeoutKey = service.getString(R.string.auto_resume_track_timeout_key); maxRecordingDistanceKey = service.getString(R.string.max_recording_distance_key); metricUnitsKey = service.getString(R.string.metric_units_key); minRecordingDistanceKey = service.getString(R.string.min_recording_distance_key); minRecordingIntervalKey = service.getString(R.string.min_recording_interval_key); minRequiredAccuracyKey = service.getString(R.string.min_required_accuracy_key); recordingTrackKey = service.getString(R.string.recording_track_key); selectedTrackKey = service.getString(R.string.selected_track_key); splitFrequencyKey = service.getString(R.string.split_frequency_key); // Refresh all properties. onSharedPreferenceChanged(sharedPreferences, null); } /** * Notifies that preferences have changed. * Call this with key == null to update all preferences in one call. * * @param key the key that changed (may be null to update all preferences) */ @Override public void onSharedPreferenceChanged(SharedPreferences preferences, String key) { if (service == null) { Log.w(Constants.TAG, "onSharedPreferenceChanged: a preference change (key = " + key + ") after a call to shutdown()"); return; } if (key == null || key.equals(minRecordingDistanceKey)) { int minRecordingDistance = sharedPreferences.getInt( minRecordingDistanceKey, Constants.DEFAULT_MIN_RECORDING_DISTANCE); service.setMinRecordingDistance(minRecordingDistance); Log.d(Constants.TAG, "TrackRecordingService: minRecordingDistance = " + minRecordingDistance); } if (key == null || key.equals(maxRecordingDistanceKey)) { service.setMaxRecordingDistance(sharedPreferences.getInt( maxRecordingDistanceKey, Constants.DEFAULT_MAX_RECORDING_DISTANCE)); } if (key == null || key.equals(minRecordingIntervalKey)) { int minRecordingInterval = sharedPreferences.getInt( minRecordingIntervalKey, Constants.DEFAULT_MIN_RECORDING_INTERVAL); switch (minRecordingInterval) { case -2: // Battery Miser // min: 30 seconds // max: 5 minutes // minDist: 5 meters Choose battery life over moving time accuracy. service.setLocationListenerPolicy( new AdaptiveLocationListenerPolicy(30000, 300000, 5)); break; case -1: // High Accuracy // min: 1 second // max: 30 seconds // minDist: 0 meters get all updates to properly measure moving time. service.setLocationListenerPolicy( new AdaptiveLocationListenerPolicy(1000, 30000, 0)); break; default: service.setLocationListenerPolicy( new AbsoluteLocationListenerPolicy(minRecordingInterval * 1000)); } } if (key == null || key.equals(minRequiredAccuracyKey)) { service.setMinRequiredAccuracy(sharedPreferences.getInt( minRequiredAccuracyKey, Constants.DEFAULT_MIN_REQUIRED_ACCURACY)); } if (key == null || key.equals(announcementFrequencyKey)) { service.setAnnouncementFrequency( sharedPreferences.getInt(announcementFrequencyKey, -1)); } if (key == null || key.equals(autoResumeTrackTimeoutKey)) { service.setAutoResumeTrackTimeout(sharedPreferences.getInt( autoResumeTrackTimeoutKey, Constants.DEFAULT_AUTO_RESUME_TRACK_TIMEOUT)); } if (key == null || key.equals(recordingTrackKey)) { long recordingTrackId = sharedPreferences.getLong(recordingTrackKey, -1); // Only read the id if it is valid. // Setting it to -1 should only happen in // TrackRecordingService.endCurrentTrack() if (recordingTrackId > 0) { service.setRecordingTrackId(recordingTrackId); } } if (key == null || key.equals(splitFrequencyKey)) { service.setSplitFrequency( sharedPreferences.getInt(splitFrequencyKey, 0)); } if (key == null || key.equals(metricUnitsKey)) { service.setMetricUnits( sharedPreferences.getBoolean(metricUnitsKey, true)); } } public void setAutoResumeTrackCurrentRetry(int retryAttempts) { Editor editor = sharedPreferences.edit(); editor.putInt(autoResumeTrackCurrentRetryKey, retryAttempts); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } public void setRecordingTrack(long id) { Editor editor = sharedPreferences.edit(); editor.putLong(recordingTrackKey, id); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } public void setSelectedTrack(long id) { Editor editor = sharedPreferences.edit(); editor.putLong(selectedTrackKey, id); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } public void shutdown() { sharedPreferences.unregisterOnSharedPreferenceChangeListener(this); service = null; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.widgets.TrackWidgetProvider; import com.google.android.maps.mytracks.R; import android.app.IntentService; import android.content.ComponentName; import android.content.Intent; import android.content.ServiceConnection; import android.os.IBinder; import android.os.RemoteException; import android.util.Log; /** * A service to control starting and stopping of a recording. This service, * through the AndroidManifest.xml, is configured to only allow components of * the same application to invoke it. Thus this service can be used my MyTracks * app widget, {@link TrackWidgetProvider}, but not by other applications. This * application delegates starting and stopping a recording to * {@link TrackRecordingService} using RPC calls. * * @author Jimmy Shih */ public class ControlRecordingService extends IntentService implements ServiceConnection { private ITrackRecordingService trackRecordingService; private boolean connected = false; public ControlRecordingService() { super(ControlRecordingService.class.getSimpleName()); } @Override public void onCreate() { super.onCreate(); Intent newIntent = new Intent(this, TrackRecordingService.class); startService(newIntent); bindService(newIntent, this, 0); } @Override public void onServiceConnected(ComponentName name, IBinder service) { trackRecordingService = ITrackRecordingService.Stub.asInterface(service); notifyConnected(); } @Override public void onServiceDisconnected(ComponentName name) { connected = false; } /** * Notifies all threads that connection to {@link TrackRecordingService} is * available. */ private synchronized void notifyConnected() { connected = true; notifyAll(); } /** * Waits until the connection to {@link TrackRecordingService} is available. */ private synchronized void waitConnected() { while (!connected) { try { wait(); } catch (InterruptedException e) { // can safely ignore } } } @Override protected void onHandleIntent(Intent intent) { waitConnected(); String action = intent.getAction(); if (action != null) { try { if (action.equals(getString(R.string.track_action_start))) { trackRecordingService.startNewTrack(); } else if (action.equals(getString(R.string.track_action_end))) { trackRecordingService.endCurrentTrack(); } } catch (RemoteException e) { Log.d(TAG, "ControlRecordingService onHandleIntent RemoteException", e); } } unbindService(this); connected = false; } @Override public void onDestroy() { super.onDestroy(); if (connected) { unbindService(this); connected = false; } } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; /** * This is an interface for classes that will manage the location listener policy. * Different policy options are: * Absolute * Addaptive * * @author Sandor Dornbush */ public interface LocationListenerPolicy { /** * Returns the polling time this policy would like at this time. * * @return The polling that this policy dictates */ public long getDesiredPollingInterval(); /** * Returns the minimum distance between updates. */ public int getMinDistance(); /** * Notifies the amount of time the user has been idle at their current * location. * * @param idleTime The time that the user has been idle at this spot */ public void updateIdleTime(long idleTime); }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.services.TrackRecordingService; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Context; import android.content.SharedPreferences; import android.speech.tts.TextToSpeech; import android.speech.tts.TextToSpeech.OnInitListener; import android.telephony.PhoneStateListener; import android.telephony.TelephonyManager; import android.util.Log; import java.util.Locale; /** * This class will periodically announce the user's trip statistics. * * @author Sandor Dornbush */ public class StatusAnnouncerTask implements PeriodicTask { /** * The rate at which announcements are spoken. */ // @VisibleForTesting static final float TTS_SPEECH_RATE = 0.9f; /** * A pointer to the service context. */ private final Context context; /** * The interface to the text to speech engine. */ protected TextToSpeech tts; /** * The response received from the TTS engine after initialization. */ private int initStatus = TextToSpeech.ERROR; /** * Whether the TTS engine is ready. */ private boolean ready = false; /** * Whether we're allowed to speak right now. */ private boolean speechAllowed; /** * Listener which updates {@link #speechAllowed} when the phone state changes. */ private final PhoneStateListener phoneListener = new PhoneStateListener() { @Override public void onCallStateChanged(int state, String incomingNumber) { speechAllowed = state == TelephonyManager.CALL_STATE_IDLE; if (!speechAllowed && tts != null && tts.isSpeaking()) { // If we're already speaking, stop it. tts.stop(); } } }; public StatusAnnouncerTask(Context context) { this.context = context; } /** * {@inheritDoc} * * Announces the trip status. */ @Override public void run(TrackRecordingService service) { if (service == null) { Log.e(TAG, "StatusAnnouncer TrackRecordingService not initialized"); return; } runWithStatistics(service.getTripStatistics()); } /** * This method exists as a convenience for testing code, allowing said code * to avoid needing to instantiate an entire {@link TrackRecordingService} * just to test the announcer. */ // @VisibleForTesting void runWithStatistics(TripStatistics statistics) { if (statistics == null) { Log.e(TAG, "StatusAnnouncer stats not initialized."); return; } synchronized (this) { checkReady(); if (!ready) { Log.e(TAG, "StatusAnnouncer Tts not ready."); return; } } if (!speechAllowed) { Log.i(Constants.TAG, "Not making announcement - not allowed at this time"); return; } String announcement = getAnnouncement(statistics); Log.d(Constants.TAG, "Announcement: " + announcement); speakAnnouncement(announcement); } protected void speakAnnouncement(String announcement) { tts.speak(announcement, TextToSpeech.QUEUE_FLUSH, null); } /** * Builds the announcement string. * * @return The string that will be read to the user */ // @VisibleForTesting protected String getAnnouncement(TripStatistics stats) { boolean metricUnits = true; boolean reportSpeed = true; SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences != null) { metricUnits = preferences.getBoolean(context.getString(R.string.metric_units_key), true); reportSpeed = preferences.getBoolean(context.getString(R.string.report_speed_key), true); } double d = stats.getTotalDistance() * UnitConversions.M_TO_KM; double s = stats.getAverageMovingSpeed() * UnitConversions.MS_TO_KMH; if (d == 0) { return context.getString(R.string.voice_total_distance_zero); } if (!metricUnits) { d *= UnitConversions.KM_TO_MI; s *= UnitConversions.KM_TO_MI; } if (!reportSpeed) { s = 3600000.0 / s; // converts from speed to pace } // Makes sure s is not NaN. if (Double.isNaN(s)) { s = 0; } String speed; if (reportSpeed) { int speedId = metricUnits ? R.plurals.voiceSpeedKilometersPerHour : R.plurals.voiceSpeedMilesPerHour; speed = context.getResources().getQuantityString(speedId, getQuantityCount(s), s); } else { int paceId = metricUnits ? R.string.voice_pace_per_kilometer : R.string.voice_pace_per_mile; speed = String.format(context.getString(paceId), getAnnounceTime((long) s)); } int totalDistanceId = metricUnits ? R.plurals.voiceTotalDistanceKilometers : R.plurals.voiceTotalDistanceMiles; String totalDistance = context.getResources().getQuantityString( totalDistanceId, getQuantityCount(d), d); return context.getString( R.string.voice_template, totalDistance, getAnnounceTime(stats.getMovingTime()), speed); } /** * Gets the plural count to be used by getQuantityString. getQuantityString * only supports integer quantities, not a double quantity like "2.2". * <p> * As a temporary workaround, we convert a double quantity to an integer * quantity. If the double quantity is exactly 0, 1, or 2, then we can return * these integer quantities. Otherwise, we cast the double quantity to an * integer quantity. However, we need to make sure that if the casted value is * 0, 1, or 2, we don't return those, instead, return the next biggest integer * 3. * * @param d the double value */ private int getQuantityCount(double d) { if (d == 0) { return 0; } else if (d == 1) { return 1; } else if (d == 2) { return 2; } else { int count = (int) d; return count < 3 ? 3 : count; } } @Override public void start() { Log.i(Constants.TAG, "Starting TTS"); if (tts == null) { // We can't have this class also be the listener, otherwise it's unsafe to // reference it in Cupcake (even if we don't instantiate it). tts = newTextToSpeech(context, new OnInitListener() { @Override public void onInit(int status) { onTtsInit(status); } }); } speechAllowed = true; // Register ourselves as a listener so we won't speak during a call. listenToPhoneState(phoneListener, PhoneStateListener.LISTEN_CALL_STATE); } /** * Called when the TTS engine is initialized. */ private void onTtsInit(int status) { Log.i(TAG, "TrackRecordingService.TTS init: " + status); synchronized (this) { // TTS should be valid here but NPE exceptions were reported to the market. initStatus = status; checkReady(); } } /** * Ensures that the TTS is ready (finishing its initialization if needed). */ private void checkReady() { synchronized (this) { if (ready) { // Already done; return; } ready = initStatus == TextToSpeech.SUCCESS && tts != null; Log.d(TAG, "Status announcer ready: " + ready); if (ready) { onTtsReady(); } } } /** * Finishes the TTS engine initialization. * Called once (and only once) when the TTS engine is ready. */ protected void onTtsReady() { // Force the language to be the same as the string we will be speaking, // if that's available. Locale speechLanguage = Locale.getDefault(); int languageAvailability = tts.isLanguageAvailable(speechLanguage); if (languageAvailability == TextToSpeech.LANG_MISSING_DATA || languageAvailability == TextToSpeech.LANG_NOT_SUPPORTED) { // English is probably supported. // TODO: Somehow use announcement strings from English too. Log.w(TAG, "Default language not available, using English."); speechLanguage = Locale.ENGLISH; } tts.setLanguage(speechLanguage); // Slow down the speed just a bit as it is hard to hear when exercising. tts.setSpeechRate(TTS_SPEECH_RATE); } @Override public void shutdown() { // Stop listening to phone state. listenToPhoneState(phoneListener, PhoneStateListener.LISTEN_NONE); if (tts != null) { tts.shutdown(); tts = null; } Log.i(Constants.TAG, "TTS shut down"); } /** * Wrapper for instantiating a {@link TextToSpeech} object, which causes * several issues during testing. */ // @VisibleForTesting protected TextToSpeech newTextToSpeech(Context ctx, OnInitListener onInitListener) { return new TextToSpeech(ctx, onInitListener); } /** * Wrapper for calls to the 100%-unmockable {@link TelephonyManager#listen}. */ // @VisibleForTesting protected void listenToPhoneState(PhoneStateListener listener, int events) { TelephonyManager telephony = (TelephonyManager) context.getSystemService(Context.TELEPHONY_SERVICE); if (telephony != null) { telephony.listen(listener, events); } } /** * Gets a string to announce the time. * * @param time the time */ @VisibleForTesting String getAnnounceTime(long time) { int[] parts = StringUtils.getTimeParts(time); String seconds = context.getResources().getQuantityString( R.plurals.voiceSeconds, parts[0], parts[0]); String minutes = context.getResources().getQuantityString( R.plurals.voiceMinutes, parts[1], parts[1]); String hours = context.getResources().getQuantityString( R.plurals.voiceHours, parts[2], parts[2]); StringBuilder sb = new StringBuilder(); if (parts[2] != 0) { sb.append(hours); sb.append(" "); sb.append(minutes); } else { sb.append(minutes); sb.append(" "); sb.append(seconds); } return sb.toString(); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.services.TrackRecordingService; import com.google.android.apps.mytracks.util.UnitConversions; import android.util.Log; /** * Execute a task on a time or distance schedule. * * @author Sandor Dornbush */ public class PeriodicTaskExecutor { /** * The frequency of the task. * A value greater than zero is a frequency in time. * A value less than zero is considered a frequency in distance. */ private int taskFrequency = 0; /** * The next distance when the task should execute. */ private double nextTaskDistance = 0; /** * Time based executor. */ private TimerTaskExecutor timerExecutor = null; private boolean metricUnits; private final TrackRecordingService service; private final PeriodicTaskFactory factory; private PeriodicTask task; public PeriodicTaskExecutor(TrackRecordingService service, PeriodicTaskFactory factory) { this.service = service; this.factory = factory; } /** * Restores the manager. */ public void restore() { // TODO: Decouple service from this class once and forever. if (!service.isRecording()) { return; } if (!isTimeFrequency()) { if (timerExecutor != null) { timerExecutor.shutdown(); timerExecutor = null; } } if (taskFrequency == 0) { return; } // Try to make the task. task = factory.create(service); // Returning null is ok. if (task == null) { return; } task.start(); if (isTimeFrequency()) { if (timerExecutor == null) { timerExecutor = new TimerTaskExecutor(task, service); } timerExecutor.scheduleTask(taskFrequency * 60000L); } else { // For distance based splits. calculateNextTaskDistance(); } } /** * Shuts down the manager. */ public void shutdown() { if (task != null) { task.shutdown(); task = null; } if (timerExecutor != null) { timerExecutor.shutdown(); timerExecutor = null; } } /** * Calculates the next distance when the task should execute. */ void calculateNextTaskDistance() { // TODO: Decouple service from this class once and forever. if (!service.isRecording() || task == null) { return; } if (!isDistanceFrequency()) { nextTaskDistance = Double.MAX_VALUE; Log.d(TAG, "SplitManager: Distance splits disabled."); return; } double distance = service.getTripStatistics().getTotalDistance() * UnitConversions.M_TO_KM; if (!metricUnits) { distance *= UnitConversions.KM_TO_MI; } // The index will be negative since the frequency is negative. int index = (int) (distance / taskFrequency); index -= 1; nextTaskDistance = taskFrequency * index; Log.d(TAG, "SplitManager: Next split distance: " + nextTaskDistance); } /** * Updates executer with new trip statistics. */ public void update() { if (!isDistanceFrequency() || task == null) { return; } // Convert the distance in meters to km or mi. double distance = service.getTripStatistics().getTotalDistance() * UnitConversions.M_TO_KM; if (!metricUnits) { distance *= UnitConversions.KM_TO_MI; } if (distance > nextTaskDistance) { task.run(service); calculateNextTaskDistance(); } } private boolean isTimeFrequency() { return taskFrequency > 0; } private boolean isDistanceFrequency() { return taskFrequency < 0; } /** * Sets the task frequency. * &lt; 0 Use the absolute value as a distance in the current measurement km * or mi * 0 Turn off the task * &gt; 0 Use the value as a time in minutes * @param taskFrequency The frequency in time or distance */ public void setTaskFrequency(int taskFrequency) { Log.d(TAG, "setTaskFrequency: taskFrequency = " + taskFrequency); this.taskFrequency = taskFrequency; restore(); } public void setMetricUnits(boolean metricUnits) { this.metricUnits = metricUnits; calculateNextTaskDistance(); } double getNextTaskDistance() { return nextTaskDistance; } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; import java.util.Date; import java.util.Timer; import java.util.TimerTask; import com.google.android.apps.mytracks.services.TrackRecordingService; /** * This class will periodically perform a task. * * @author Sandor Dornbush */ public class TimerTaskExecutor { private final PeriodicTask task; private final TrackRecordingService service; /** * A timer to schedule the announcements. * This is non-null if the task is in started (scheduled) state. */ private Timer timer; public TimerTaskExecutor(PeriodicTask task, TrackRecordingService service) { this.task = task; this.service = service; } /** * Schedules the task at the given interval. * * @param interval The interval in milliseconds */ public void scheduleTask(long interval) { // TODO: Decouple service from this class once and forever. if (!service.isRecording()) { return; } if (timer != null) { timer.cancel(); timer.purge(); } else { // First start, or we were previously shut down. task.start(); } timer = new Timer(); if (interval <= 0) { return; } long now = System.currentTimeMillis(); long next = service.getTripStatistics().getStartTime(); if (next < now) { next = now + interval - ((now - next) % interval); } Date start = new Date(next); Log.i(TAG, task.getClass().getSimpleName() + " scheduled to start at " + start + " every " + interval + " milliseconds."); timer.scheduleAtFixedRate(new PeriodicTimerTask(), start, interval); } /** * Cleans up this object. */ public void shutdown() { Log.i(TAG, task.getClass().getSimpleName() + " shutting down."); if (timer != null) { timer.cancel(); timer.purge(); timer = null; task.shutdown(); } } /** * The timer task to announce the trip status. */ private class PeriodicTimerTask extends TimerTask { @Override public void run() { task.run(service); } } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import com.google.android.apps.mytracks.services.TrackRecordingService; /** * This is interface for a task that will be executed on some schedule. * * @author Sandor Dornbush */ public interface PeriodicTask { /** * Sets up this task for subsequent calls to the run method. */ public void start(); /** * This method will be called periodically. */ public void run(TrackRecordingService service); /** * Shuts down this task and clean up resources. */ public void shutdown(); }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import android.content.Context; /** * Factory which wraps construction and setup of text-to-speech announcements in * an API-level-safe way. * * @author Rodrigo Damazio */ public class StatusAnnouncerFactory implements PeriodicTaskFactory { public StatusAnnouncerFactory() { } @Override public PeriodicTask create(Context context) { return ApiAdapterFactory.getApiAdapter().getStatusAnnouncerTask(context); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import android.content.Context; /** * An interface for classes that can create periodic tasks. * * @author Sandor Dornbush */ public interface PeriodicTaskFactory { /** * Creates a periodic task which does voice announcements. * * @return the task, or null if task is not supported */ PeriodicTask create(Context context); }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.services.TrackRecordingService; import android.content.Context; /** * A simple task to insert statistics markers periodically. * @author Sandor Dornbush */ public class SplitTask implements PeriodicTask { private SplitTask() { } @Override public void run(TrackRecordingService service) { service.insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); } @Override public void shutdown() { } @Override public void start() { } /** * Create new SplitTasks. */ public static class Factory implements PeriodicTaskFactory { @Override public PeriodicTask create(Context context) { return new SplitTask(); } } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.tasks; import static com.google.android.apps.mytracks.Constants.TAG; import android.content.Context; import android.media.AudioManager; import android.speech.tts.TextToSpeech; import android.speech.tts.TextToSpeech.OnUtteranceCompletedListener; import android.util.Log; import java.util.HashMap; /** * This class will periodically announce the user's trip statistics for Froyo and future handsets. * This class will request and release audio focus. * * @author Sandor Dornbush */ public class FroyoStatusAnnouncerTask extends StatusAnnouncerTask { private final static HashMap<String, String> SPEECH_PARAMS = new HashMap<String, String>(); static { SPEECH_PARAMS.put(TextToSpeech.Engine.KEY_PARAM_UTTERANCE_ID, "not_used"); } private final AudioManager audioManager; private final OnUtteranceCompletedListener utteranceListener = new OnUtteranceCompletedListener() { @Override public void onUtteranceCompleted(String utteranceId) { int result = audioManager.abandonAudioFocus(null); if (result == AudioManager.AUDIOFOCUS_REQUEST_FAILED) { Log.w(TAG, "FroyoStatusAnnouncerTask: Failed to relinquish audio focus"); } } }; public FroyoStatusAnnouncerTask(Context context) { super(context); audioManager = (AudioManager) context.getSystemService(Context.AUDIO_SERVICE); } @Override protected void onTtsReady() { super.onTtsReady(); tts.setOnUtteranceCompletedListener(utteranceListener); } @Override protected synchronized void speakAnnouncement(String announcement) { int result = audioManager.requestAudioFocus(null, TextToSpeech.Engine.DEFAULT_STREAM, AudioManager.AUDIOFOCUS_GAIN_TRANSIENT_MAY_DUCK); if (result == AudioManager.AUDIOFOCUS_REQUEST_FAILED) { Log.w(TAG, "FroyoStatusAnnouncerTask: Request for audio focus failed."); } // We don't care about the utterance id. // It is supplied here to force onUtteranceCompleted to be called. tts.speak(announcement, TextToSpeech.QUEUE_FLUSH, SPEECH_PARAMS); } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.app.ActivityManager; import android.app.ActivityManager.RunningServiceInfo; import android.content.ComponentName; import android.content.Context; import android.content.SharedPreferences; import android.os.RemoteException; import android.util.Log; import java.util.List; /** * Helper for reading service state. * * @author Rodrigo Damazio */ public class ServiceUtils { /** * Checks whether we're currently recording. * The checking is done by calling the service, if provided, or alternatively by reading * recording state saved to preferences. * * @param ctx the current context * @param service the service, or null if not bound to it * @param preferences the preferences, or null if not available * @return true if the service is recording (or supposed to be recording), false otherwise */ public static boolean isRecording(Context ctx, ITrackRecordingService service, SharedPreferences preferences) { if (service != null) { try { return service.isRecording(); } catch (RemoteException e) { Log.e(TAG, "Failed to check if service is recording", e); } catch (IllegalStateException e) { Log.e(TAG, "Failed to check if service is recording", e); } } if (preferences == null) { preferences = ctx.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); } return preferences.getLong(ctx.getString(R.string.recording_track_key), -1) > 0; } /** * Checks whether the recording service is currently running. * * @param ctx the current context * @return true if the service is running, false otherwise */ public static boolean isServiceRunning(Context ctx) { ActivityManager activityManager = (ActivityManager) ctx.getSystemService(Context.ACTIVITY_SERVICE); List<RunningServiceInfo> services = activityManager.getRunningServices(Integer.MAX_VALUE); for (RunningServiceInfo serviceInfo : services) { ComponentName componentName = serviceInfo.service; String serviceName = componentName.getClassName(); if (serviceName.equals(TrackRecordingService.class.getName())) { return true; } } return false; } private ServiceUtils() {} }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.services.sensors.ant.AntDirectSensorManager; import com.google.android.apps.mytracks.services.sensors.ant.AntSrmBridgeSensorManager; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A factory of SensorManagers. * * @author Sandor Dornbush */ public class SensorManagerFactory { private String activeSensorType; private SensorManager activeSensorManager; private int refCount; private static SensorManagerFactory instance = new SensorManagerFactory(); private SensorManagerFactory() { } /** * Get the factory instance. */ public static SensorManagerFactory getInstance() { return instance; } /** * Get and start a new sensor manager. * @param context Context to fetch system preferences. * @return The sensor manager that corresponds to the sensor type setting. */ public SensorManager getSensorManager(Context context) { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs == null) { return null; } context = context.getApplicationContext(); String sensor = prefs.getString(context.getString(R.string.sensor_type_key), null); Log.i(Constants.TAG, "Creating sensor of type: " + sensor); if (sensor == null) { reset(); return null; } if (sensor.equals(activeSensorType)) { Log.i(Constants.TAG, "Returning existing sensor manager."); refCount++; return activeSensorManager; } reset(); if (sensor.equals(context.getString(R.string.sensor_type_value_ant))) { activeSensorManager = new AntDirectSensorManager(context); } else if (sensor.equals(context.getString(R.string.sensor_type_value_srm_ant_bridge))) { activeSensorManager = new AntSrmBridgeSensorManager(context); } else if (sensor.equals(context.getString(R.string.sensor_type_value_zephyr))) { activeSensorManager = new ZephyrSensorManager(context); } else if (sensor.equals(context.getString(R.string.sensor_type_value_polar))) { activeSensorManager = new PolarSensorManager(context); } else { Log.w(Constants.TAG, "Unable to find sensor type: " + sensor); return null; } activeSensorType = sensor; refCount = 1; activeSensorManager.onStartTrack(); return activeSensorManager; } /** * Finish using a sensor manager. */ public void releaseSensorManager(SensorManager sensorManager) { Log.i(Constants.TAG, "releaseSensorManager: " + activeSensorType + " " + refCount); if (sensorManager != activeSensorManager) { Log.e(Constants.TAG, "invalid parameter to releaseSensorManager"); } if (--refCount > 0) { return; } reset(); } private void reset() { activeSensorType = null; if (activeSensorManager != null) { activeSensorManager.shutdown(); } activeSensorManager = null; refCount = 0; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import java.util.Arrays; /** * An implementation of a Sensor MessageParser for Zephyr. * * @author Sandor Dornbush * @author Dominik Ršttsches */ public class ZephyrMessageParser implements MessageParser { public static final int ZEPHYR_HXM_BYTE_STX = 0; public static final int ZEPHYR_HXM_BYTE_CRC = 58; public static final int ZEPHYR_HXM_BYTE_ETX = 59; private static final byte[] CADENCE_BUG_FW_ID = {0x1A, 0x00, 0x31, 0x65, 0x50, 0x00, 0x31, 0x62}; private StrideReadings strideReadings; @Override public Sensor.SensorDataSet parseBuffer(byte[] buffer) { Sensor.SensorDataSet.Builder sds = Sensor.SensorDataSet.newBuilder() .setCreationTime(System.currentTimeMillis()); Sensor.SensorData.Builder heartrate = Sensor.SensorData.newBuilder() .setValue(buffer[12] & 0xFF) .setState(Sensor.SensorState.SENDING); sds.setHeartRate(heartrate); Sensor.SensorData.Builder batteryLevel = Sensor.SensorData.newBuilder() .setValue(buffer[11]) .setState(Sensor.SensorState.SENDING); sds.setBatteryLevel(batteryLevel); setCadence(sds, buffer); return sds.build(); } private void setCadence(Sensor.SensorDataSet.Builder sds, byte[] buffer) { // Device Firmware ID, Firmware Version, Hardware ID, Hardware Version // 0x1A00316550003162 produces erroneous values for Cadence and needs // a workaround based on the stride counter. // Firmware values range from field 3 to 10 (inclusive) of the byte buffer. byte[] hardwareFirmwareId = ApiAdapterFactory.getApiAdapter().copyByteArray(buffer, 3, 11); Sensor.SensorData.Builder cadence = Sensor.SensorData.newBuilder(); if (Arrays.equals(hardwareFirmwareId, CADENCE_BUG_FW_ID)) { if (strideReadings == null) { strideReadings = new StrideReadings(); } strideReadings.updateStrideReading(buffer[54] & 0xFF); if (strideReadings.getCadence() != StrideReadings.CADENCE_NOT_AVAILABLE) { cadence.setValue(strideReadings.getCadence()).setState(Sensor.SensorState.SENDING); } } else { cadence .setValue(SensorUtils.unsignedShortToIntLittleEndian(buffer, 56) / 16) .setState(Sensor.SensorState.SENDING); } sds.setCadence(cadence); } @Override public boolean isValid(byte[] buffer) { // Check STX (Start of Text), ETX (End of Text) and CRC Checksum return buffer.length > ZEPHYR_HXM_BYTE_ETX && buffer[ZEPHYR_HXM_BYTE_STX] == 0x02 && buffer[ZEPHYR_HXM_BYTE_ETX] == 0x03 && SensorUtils.getCrc8(buffer, 3, 55) == buffer[ZEPHYR_HXM_BYTE_CRC]; } @Override public int getFrameSize() { return 60; } @Override public int findNextAlignment(byte[] buffer) { // TODO test or understand this code. for (int i = 0; i < buffer.length - 1; i++) { if (buffer[i] == 0x03 && buffer[i+1] == 0x02) { return i; } } return -1; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import android.content.Context; public class ZephyrSensorManager extends BluetoothSensorManager { public ZephyrSensorManager(Context context) { super(context, new ZephyrMessageParser()); } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This class decodes and encapsulates an ANT Startup message. * (ANT Message ID 0x6f, Protocol & Usage guide v4.2 section 9.5.3.1) * * @author Matthew Simmons */ public class AntStartupMessage extends AntMessage { private byte message; public AntStartupMessage(byte[] messageData) { message = messageData[0]; } /** Returns the cause of the startup */ public byte getMessage() { return message; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * Ant+ cadence sensor. * * @author Laszlo Molnar */ public class CadenceSensor extends AntSensorBase { /* * These constants are defined by the ANT+ bike speed and cadence sensor spec. */ public static final byte CADENCE_DEVICE_TYPE = 122; public static final short CADENCE_CHANNEL_PERIOD = 8102; SensorEventCounter dataProcessor = new SensorEventCounter(); CadenceSensor(short devNum) { super(devNum, CADENCE_DEVICE_TYPE, "cadence sensor", CADENCE_CHANNEL_PERIOD); } /** * Decode an ANT+ cadence sensor message. * @param antMessage The byte array received from the cadence sensor. */ @Override public void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c) { int sensorTime = ((int) antMessage[5] & 0xFF) + ((int) antMessage[6] & 0xFF) * 256; int crankRevs = ((int) antMessage[7] & 0xFF) + ((int) antMessage[8] & 0xFF) * 256; c.setCadence(dataProcessor.getEventsPerMinute(crankRevs, sensorTime)); } };
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; import java.util.LinkedList; /** * Processes an ANT+ sensor data (counter) + timestamp pair, * and returns the instantaneous value of the sensor * * @author Laszlo Molnar */ public class SensorEventCounter { /** * HistoryElement stores a time stamped sensor counter */ private static class HistoryElement { final long systemTime; final int counter; final int sensorTime; HistoryElement(long systemTime, int counter, int sensorTime) { this.systemTime = systemTime; this.counter = counter; this.sensorTime = sensorTime; } } /** * The latest counter value reported by the sensor */ private int counter; /** * The calculated instantaneous sensor value to be displayed */ private int eventsPerMinute; private static final int ONE_SECOND_MILLIS = 1000; private static final int HISTORY_LENGTH_MILLIS = ONE_SECOND_MILLIS * 5; private static final int HISTORY_MAX_LENGTH = 100; private static final int ONE_MINUTE_MILLIS = ONE_SECOND_MILLIS * 60; private static final int SENSOR_TIME_RESOLUTION = 1024; // in a second private static final int SENSOR_TIME_ONE_MINUTE = SENSOR_TIME_RESOLUTION * 60; /** * History of previous sensor data - oldest first * only the latest HISTORY_LENGTH_MILLIS milliseconds of data is stored */ private LinkedList<HistoryElement> history; SensorEventCounter() { counter = -1; eventsPerMinute = 0; history = new LinkedList<HistoryElement>(); } /** * Calculates the instantaneous sensor value to be displayed * * @param newCounter sensor reported counter value * @param sensorTime sensor reported timestamp * @return the calculated value */ public int getEventsPerMinute(int newCounter, int sensorTime) { return getEventsPerMinute(newCounter, sensorTime, System.currentTimeMillis()); } // VisibleForTesting protected int getEventsPerMinute(int newCounter, int sensorTime, long now) { int counterChange = (newCounter - counter) & 0xFFFF; Log.d(TAG, "now=" + now + " counter=" + newCounter + " sensortime=" + sensorTime); if (counter < 0) { // store the initial counter value reported by the sensor // the timestamp is probably out of date, so the history is not updated counter = newCounter; return eventsPerMinute = 0; } counter = newCounter; if (counterChange != 0) { // if new data has arrived from the sensor ... if (removeOldHistory(now)) { // ... and the history is not empty, then use the latest entry HistoryElement h = history.getLast(); int sensorTimeChange = (sensorTime - h.sensorTime) & 0xFFFF; counterChange = (counter - h.counter) & 0xFFFF; eventsPerMinute = counterChange * SENSOR_TIME_ONE_MINUTE / sensorTimeChange; } // the previous removeOldHistory() call makes the length of the history capped history.addLast(new HistoryElement(now, counter, sensorTime)); } else if (!history.isEmpty()) { // the sensor has resent an old (counter,timestamp) pair, // but the history is not empty HistoryElement h = history.getLast(); if (ONE_MINUTE_MILLIS < (now - h.systemTime) * eventsPerMinute) { // Too much time has passed since the last counter change. // This means that a smaller value than eventsPerMinute must be // returned. This value is extrapolated from the history of // HISTORY_LENGTH_MILLIS data. // Note, that eventsPerMinute is NOT updated unless the history // is empty or contains outdated entries. In that case it is zeroed. return getValueFromHistory(now); } // else the current eventsPerMinute is still valid, nothing to do here } else { // no new data from the sensor & the history is empty -> return 0 eventsPerMinute = 0; } Log.d(TAG, "getEventsPerMinute returns:" + eventsPerMinute); return eventsPerMinute; } /** * Calculates the instantaneous sensor value to be displayed * using the history when the sensor only resends the old data */ private int getValueFromHistory(long now) { if (!removeOldHistory(now)) { // there is nothing in the history, return 0 return eventsPerMinute = 0; } HistoryElement f = history.getFirst(); HistoryElement l = history.getLast(); int sensorTimeChange = (l.sensorTime - f.sensorTime) & 0xFFFF; int counterChange = (counter - f.counter) & 0xFFFF; // difference between now and systemTime of the oldest history entry // for better precision sensor timestamps are considered between // the first and the last history entry (could be overkill) int systemTimeChange = (int) (now - l.systemTime + (sensorTimeChange * ONE_SECOND_MILLIS) / SENSOR_TIME_RESOLUTION); // eventsPerMinute is not overwritten by this calculated value // because it is still needed when a new sensor event arrives int v = (counterChange * ONE_MINUTE_MILLIS) / systemTimeChange; Log.d(TAG, "getEventsPerMinute returns (2):" + v); // do not return larger number than eventsPerMinute, because the reason // this function got called is that more time has passed after the last // sensor counter value change than the current eventsPerMinute // would be valid return v < eventsPerMinute ? v : eventsPerMinute; } /** * Removes old data from the history. * * @param now the current system time * @return true if the remaining history is not empty */ private boolean removeOldHistory(long now) { HistoryElement h; while ((h = history.peek()) != null) { // if the first element of the list is in our desired time range then return if (now - h.systemTime <= HISTORY_LENGTH_MILLIS && history.size() < HISTORY_MAX_LENGTH) { return true; } // otherwise remove the too old element, and look at the next (newer) one history.removeFirst(); } return false; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; /** * Ant+ heart reate monitor sensor. * * @author Laszlo Molnar */ public class HeartRateSensor extends AntSensorBase { /* * These constants are defined by the ANT+ heart rate monitor spec. */ public static final byte HEART_RATE_DEVICE_TYPE = 120; public static final short HEART_RATE_CHANNEL_PERIOD = 8070; HeartRateSensor(short devNum) { super(devNum, HEART_RATE_DEVICE_TYPE, "heart rate monitor", HEART_RATE_CHANNEL_PERIOD); } /** * Decode an ANT+ heart rate monitor message. * @param antMessage The byte array received from the heart rate monitor. */ @Override public void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c) { int bpm = (int) antMessage[8] & 0xFF; Log.d(TAG, "now:" + System.currentTimeMillis() + " heart rate=" + bpm); c.setHeartRate(bpm); } };
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * Interface for collecting data from the sensors. * @author Laszlo Molnar */ public interface AntSensorDataCollector { /** * Sets the current cadence to the value specified. */ void setCadence(int value); /** * Sets the current heart rate to the value specified. */ void setHeartRate(int value); }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import com.dsi.ant.AntDefine; import com.dsi.ant.AntMesg; import com.dsi.ant.exception.AntInterfaceException; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A sensor manager to the PC7 SRM ANT+ bridge. * * @author Sandor Dornbush * @author Umran Abdulla */ public class AntSrmBridgeSensorManager extends AntSensorManager { /* * These constants are defined by the ANT+ spec. */ public static final byte CHANNEL_NUMBER = 0; public static final byte NETWORK_NUMBER = 0; public static final byte DEVICE_TYPE = 12; public static final byte NETWORK_ID = 1; public static final short CHANNEL_PERIOD = 8192; public static final byte RF_FREQUENCY = 50; private static final int INDEX_MESSAGE_TYPE = 1; private static final int INDEX_MESSAGE_ID = 2; private static final int INDEX_MESSAGE_POWER = 3; private static final int INDEX_MESSAGE_SPEED = 5; private static final int INDEX_MESSAGE_CADENCE = 7; private static final int INDEX_MESSAGE_BPM = 8; private static final int MSG_INITIAL = 5; private static final int MSG_DATA = 6; private short deviceNumber; public AntSrmBridgeSensorManager(Context context) { super(context); Log.i(TAG, "new ANT SRM Bridge Sensor Manager created"); deviceNumber = WILDCARD; // First read the the device id that we will be pairing with. SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs != null) { deviceNumber = (short) prefs.getInt(context.getString( R.string.ant_srm_bridge_sensor_id_key), 0); } Log.i(TAG, "Will pair with device: " + deviceNumber); } @Override protected boolean handleMessage(byte messageId, byte[] messageData) { if (super.handleMessage(messageId, messageData)) { return true; } if (!SystemUtils.isRelease(context)) { Log.d(TAG, "Received ANT msg: " + AntUtils.antMessageToString(messageId) + "(" + messageId + ")"); } int channel = messageData[0] & AntDefine.CHANNEL_NUMBER_MASK; switch (channel) { case CHANNEL_NUMBER: decodeChannelMsg(messageId, messageData); break; default: Log.d(TAG, "Unhandled message: " + channel); } return true; } /** * Decode an ant device message. * @param messageData The byte array received from the device. */ private void decodeChannelMsg(int messageId, byte[] messageData) { switch (messageId) { case AntMesg.MESG_BROADCAST_DATA_ID: handleBroadcastData(messageData); break; case AntMesg.MESG_RESPONSE_EVENT_ID: handleMessageResponse(messageData); break; case AntMesg.MESG_CHANNEL_ID_ID: handleChannelId(messageData); break; default: Log.e(TAG, "Unexpected message id: " + messageId); } } private void handleBroadcastData(byte[] antMessage) { if (deviceNumber == WILDCARD) { try { getAntReceiver().ANTRequestMessage(CHANNEL_NUMBER, AntMesg.MESG_CHANNEL_ID_ID); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error handling broadcast data", e); } Log.d(TAG, "Requesting channel id id."); } setSensorState(Sensor.SensorState.CONNECTED); int messageType = antMessage[INDEX_MESSAGE_TYPE] & 0xFF; Log.d(TAG, "Received message-type=" + messageType); switch (messageType) { case MSG_INITIAL: break; case MSG_DATA: parseDataMsg(antMessage); break; } } private void parseDataMsg(byte[] msg) { int messageId = msg[INDEX_MESSAGE_ID] & 0xFF; Log.d(TAG, "Received message-id=" + messageId); int powerVal = (((msg[INDEX_MESSAGE_POWER] & 0xFF) << 8) | (msg[INDEX_MESSAGE_POWER+1] & 0xFF)); @SuppressWarnings("unused") int speedVal = (((msg[INDEX_MESSAGE_SPEED] & 0xFF) << 8) | (msg[INDEX_MESSAGE_SPEED+1] & 0xFF)); int cadenceVal = (msg[INDEX_MESSAGE_CADENCE] & 0xFF); int bpmVal = (msg[INDEX_MESSAGE_BPM] & 0xFF); long time = System.currentTimeMillis(); Sensor.SensorData.Builder power = Sensor.SensorData.newBuilder() .setValue(powerVal) .setState(Sensor.SensorState.SENDING); /* * Although speed is available from the SRM Bridge, MyTracks doesn't use the value, and * computes speed from the GPS location data. */ // Sensor.SensorData.Builder speed = Sensor.SensorData.newBuilder().setValue(speedVal).setState( // Sensor.SensorState.SENDING); Sensor.SensorData.Builder cadence = Sensor.SensorData.newBuilder() .setValue(cadenceVal) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder bpm = Sensor.SensorData.newBuilder() .setValue(bpmVal) .setState(Sensor.SensorState.SENDING); sensorData = Sensor.SensorDataSet.newBuilder() .setCreationTime(time) .setPower(power) .setCadence(cadence) .setHeartRate(bpm) .build(); } void handleChannelId(byte[] rawMessage) { AntChannelIdMessage message = new AntChannelIdMessage(rawMessage); deviceNumber = message.getDeviceNumber(); Log.d(TAG, "Found device id: " + deviceNumber); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); SharedPreferences.Editor editor = prefs.edit(); editor.putInt(context.getString(R.string.ant_srm_bridge_sensor_id_key), deviceNumber); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } private void handleMessageResponse(byte[] rawMessage) { AntChannelResponseMessage message = new AntChannelResponseMessage(rawMessage); if (!SystemUtils.isRelease(context)) { Log.d(TAG, "Received ANT Response: " + AntUtils.antMessageToString(message.getMessageId()) + "(" + message.getMessageId() + ")" + ", Code: " + AntUtils.antEventToStr(message.getMessageCode()) + "(" + message.getMessageCode() + ")"); } switch (message.getMessageId()) { case AntMesg.MESG_EVENT_ID: if (message.getMessageCode() == AntDefine.EVENT_RX_SEARCH_TIMEOUT) { // Search timeout Log.w(TAG, "Search timed out. Unassigning channel."); try { getAntReceiver().ANTUnassignChannel((byte) 0); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error unassigning channel", e); } } break; case AntMesg.MESG_UNASSIGN_CHANNEL_ID: setSensorState(Sensor.SensorState.DISCONNECTED); Log.i(TAG, "Disconnected from the sensor: " + getSensorState()); break; } } @Override protected void setupAntSensorChannels() { Log.i(TAG, "Setting up ANT sensor channels"); setupAntSensorChannel( NETWORK_NUMBER, CHANNEL_NUMBER, deviceNumber, DEVICE_TYPE, (byte) 0x01, CHANNEL_PERIOD, RF_FREQUENCY, (byte) 0); } public short getDeviceNumber() { return deviceNumber; } void setDeviceNumber(short deviceNumber) { this.deviceNumber = deviceNumber; } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import com.dsi.ant.AntDefine; import com.dsi.ant.AntInterface; import com.dsi.ant.AntInterfaceIntent; import com.dsi.ant.AntMesg; import com.dsi.ant.exception.AntInterfaceException; import com.dsi.ant.exception.AntServiceNotConnectedException; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.services.sensors.SensorManager; import android.content.BroadcastReceiver; import android.content.Context; import android.content.Intent; import android.content.IntentFilter; import android.util.Log; /** * This is the common superclass for ANT-based sensors. It handles tasks which * apply to the ANT framework as a whole, such as framework initialization and * destruction. Subclasses are expected to handle the initialization and * management of individual sensors. * * Implementation: * * The initialization process is somewhat complicated. This is due in part to * the asynchronous nature of ANT Radio Service initialization, and in part due * to an apparent bug in that service. The following is an overview of the * initialization process. * * Initialization begins in {@link #setupChannel}, which is invoked by the * {@link SensorManager} when track recording begins. {@link #setupChannel} * asks the ANT Radio Service (via {@link AntInterface}) to start, using a * {@link AntInterface.ServiceListener} to indicate when the service has * connected. {@link #serviceConnected} claims and enables the Radio Service, * and then resets it to a known state for our use. Completion of reset is * indicated by receipt of a startup message (see {@link AntStartupMessage}). * Once we've received that message, the ANT service is ready for use, and we * can start sensor-specific initialization using * {@link #setupAntSensorChannels}. The initialization of each sensor will * usually result in a call to {@link #setupAntSensorChannel}. * * @author Sandor Dornbush */ public abstract class AntSensorManager extends SensorManager { // Pairing protected static final short WILDCARD = 0; private AntInterface antReceiver; /** * The data from the sensors. */ protected SensorDataSet sensorData; protected Context context; private static final boolean DEBUGGING = false; /** Receives and logs all status ANT intents. */ private final BroadcastReceiver statusReceiver = new BroadcastReceiver() { @Override public void onReceive(Context ctx, Intent intent) { String antAction = intent.getAction(); Log.i(TAG, "enter status onReceive" + antAction); } }; /** Receives all data ANT intents. */ private final BroadcastReceiver dataReceiver = new BroadcastReceiver() { @Override public void onReceive(Context ctx, Intent intent) { String antAction = intent.getAction(); Log.i(TAG, "enter data onReceive" + antAction); if (antAction != null && antAction.equals(AntInterfaceIntent.ANT_RX_MESSAGE_ACTION)) { byte[] antMessage = intent.getByteArrayExtra(AntInterfaceIntent.ANT_MESSAGE); if (DEBUGGING) { Log.d(TAG, "Received RX message " + messageToString(antMessage)); } if (getAntReceiver() != null) { handleMessage(antMessage); } } } }; /** * ANT uses this listener to tell us when it has bound to the ANT Radio * Service. We can't start sending ANT commands until we've been notified * (via this listener) that the Radio Service has connected. */ private AntInterface.ServiceListener antServiceListener = new AntInterface.ServiceListener() { @Override public void onServiceConnected() { serviceConnected(); } @Override public void onServiceDisconnected() { Log.d(TAG, "ANT interface reports disconnection"); } }; public AntSensorManager(Context context) { this.context = context; // We register for ANT intents early because we want to have a record of // the status intents in the log as we start up. registerForAntIntents(); } @Override public void onDestroy() { Log.i(TAG, "destroying AntSensorManager"); cleanAntInterface(); unregisterForAntIntents(); } @Override public SensorDataSet getSensorDataSet() { return sensorData; } @Override public boolean isEnabled() { return true; } public AntInterface getAntReceiver() { return antReceiver; } /** * This is the interface used by the {@link SensorManager} to tell this * class when to start. It handles initialization of the ANT framework, * eventually resulting in sensor-specific initialization via * {@link #setupAntSensorChannels}. */ @Override protected final void setupChannel() { setup(); } private synchronized void setup() { // We handle this unpleasantly because the UI should've checked for ANT // support before it even instantiated this class. if (!AntInterface.hasAntSupport(context)) { throw new IllegalStateException("device does not have ANT support"); } cleanAntInterface(); antReceiver = AntInterface.getInstance(context, antServiceListener); if (antReceiver == null) { Log.e(TAG, "Failed to get ANT Receiver"); return; } setSensorState(Sensor.SensorState.CONNECTING); } /** * Cleans up the ANT+ receiver interface, by releasing the interface * and destroying it. */ private void cleanAntInterface() { Log.i(TAG, "Destroying AntSensorManager"); if (antReceiver == null) { Log.e(TAG, "no ANT receiver"); return; } try { antReceiver.releaseInterface(); antReceiver.destroy(); antReceiver = null; } catch (AntServiceNotConnectedException e) { Log.i(TAG, "ANT service not connected", e); } catch (AntInterfaceException e) { Log.e(TAG, "failed to release ANT interface", e); } catch (RuntimeException e) { Log.e(TAG, "run-time exception when cleaning the ANT interface", e); } } /** * This method is invoked via the ServiceListener when we're connected to * the ANT service. If we're just starting up, this is our first opportunity * to initiate any ANT commands. */ private synchronized void serviceConnected() { Log.d(TAG, "ANT service connected"); if (antReceiver == null) { Log.e(TAG, "no ANT receiver"); return; } try { if (!antReceiver.claimInterface()) { Log.e(TAG, "failed to claim ANT interface"); return; } if (!antReceiver.isEnabled()) { // Make sure not to call AntInterface.enable() again, if it has been // already called before Log.i(TAG, "Powering on Radio"); antReceiver.enable(); } else { Log.i(TAG, "Radio already enabled"); } } catch (AntInterfaceException e) { Log.e(TAG, "failed to enable ANT", e); } try { // We expect this call to throw an exception due to a bug in the ANT // Radio Service. It won't actually fail, though, as we'll get the // startup message (see {@link AntStartupMessage}) one normally expects // after a reset. Channel initialization can proceed once we receive // that message. antReceiver.ANTResetSystem(); } catch (AntInterfaceException e) { Log.e(TAG, "failed to reset ANT (expected exception)", e); } } /** * Process a raw ANT message. * @param antMessage the ANT message, including the size and message ID bytes * @deprecated Use {@link #handleMessage(byte, byte[])} instead. */ protected void handleMessage(byte[] antMessage) { int len = antMessage[0]; if (len != antMessage.length - 2 || antMessage.length <= 2) { Log.e(TAG, "Invalid message: " + messageToString(antMessage)); return; } byte messageId = antMessage[1]; // Arrays#copyOfRange doesn't exist?? byte[] messageData = new byte[antMessage.length - 2]; System.arraycopy(antMessage, 2, messageData, 0, antMessage.length - 2); handleMessage(messageId, messageData); } /** * Process a raw ANT message. * @param messageId the message ID. See the ANT Message Protocol and Usage * guide, section 9.3. * @param messageData the ANT message, without the size and message ID bytes. * @return true if this method has taken responsibility for the passed * message; false otherwise. */ protected boolean handleMessage(byte messageId, byte[] messageData) { if (messageId == AntMesg.MESG_STARTUP_MESG_ID) { Log.d(TAG, String.format( "Received startup message (reason %02x); initializing channel", new AntStartupMessage(messageData).getMessage())); setupAntSensorChannels(); return true; } return false; } /** * Subclasses define this method to perform sensor-specific initialization. * When this method is called, the ANT framework has been enabled, and is * ready for use. */ protected abstract void setupAntSensorChannels(); /** * Used by subclasses to set up an ANT channel for a single sensor. A given * subclass may invoke this method multiple times if the subclass is * responsible for more than one sensor. * * @return true on success */ protected boolean setupAntSensorChannel(byte networkNumber, byte channelNumber, short deviceNumber, byte deviceType, byte txType, short channelPeriod, byte radioFreq, byte proxSearch) { if (antReceiver == null) { Log.e(TAG, "no ANT receiver"); return false; } try { // Assign as slave channel on selected network (0 = public, 1 = ANT+, 2 = // ANTFS) antReceiver.ANTAssignChannel(channelNumber, AntDefine.PARAMETER_RX_NOT_TX, networkNumber); antReceiver.ANTSetChannelId(channelNumber, deviceNumber, deviceType, txType); antReceiver.ANTSetChannelPeriod(channelNumber, channelPeriod); antReceiver.ANTSetChannelRFFreq(channelNumber, radioFreq); // Disable high priority search antReceiver.ANTSetChannelSearchTimeout(channelNumber, (byte) 0); // Set search timeout to 10 seconds (low priority search)) antReceiver.ANTSetLowPriorityChannelSearchTimeout(channelNumber, (byte) 4); if (deviceNumber == WILDCARD) { // Configure proximity search, if using wild card search antReceiver.ANTSetProximitySearch(channelNumber, proxSearch); } antReceiver.ANTOpenChannel(channelNumber); return true; } catch (AntInterfaceException e) { Log.e(TAG, "failed to setup ANT channel", e); return false; } } private void registerForAntIntents() { Log.i(TAG, "Registering for ant intents."); // Register for ANT intent broadcasts. IntentFilter statusIntentFilter = new IntentFilter(); statusIntentFilter.addAction(AntInterfaceIntent.ANT_ENABLED_ACTION); statusIntentFilter.addAction(AntInterfaceIntent.ANT_DISABLED_ACTION); statusIntentFilter.addAction(AntInterfaceIntent.ANT_INTERFACE_CLAIMED_ACTION); statusIntentFilter.addAction(AntInterfaceIntent.ANT_RESET_ACTION); context.registerReceiver(statusReceiver, statusIntentFilter); IntentFilter dataIntentFilter = new IntentFilter(); dataIntentFilter.addAction(AntInterfaceIntent.ANT_RX_MESSAGE_ACTION); context.registerReceiver(dataReceiver, dataIntentFilter); } private void unregisterForAntIntents() { Log.i(TAG, "Unregistering ANT Intents."); try { context.unregisterReceiver(statusReceiver); } catch (IllegalArgumentException e) { Log.w(TAG, "Failed to unregister ANT status receiver", e); } try { context.unregisterReceiver(dataReceiver); } catch (IllegalArgumentException e) { Log.w(TAG, "Failed to unregister ANT data receiver", e); } } private String messageToString(byte[] message) { StringBuilder out = new StringBuilder(); for (byte b : message) { out.append(String.format("%s%02x", (out.length() == 0 ? "" : " "), b)); } return out.toString(); } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import com.dsi.ant.AntDefine; import com.dsi.ant.AntMesg; import com.dsi.ant.exception.AntInterfaceException; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; /** * A sensor manager to connect ANT+ sensors. * * @author Sandor Dornbush * @author Laszlo Molnar */ public class AntDirectSensorManager extends AntSensorManager implements AntSensorDataCollector { // allocating one channel for each sensor type private static final byte HEART_RATE_CHANNEL = 0; private static final byte CADENCE_CHANNEL = 1; private static final byte CADENCE_SPEED_CHANNEL = 2; // ids for device number preferences private static final int sensorIdKeys[] = { R.string.ant_heart_rate_sensor_id_key, R.string.ant_cadence_sensor_id_key, R.string.ant_cadence_speed_sensor_id_key, }; private AntSensorBase sensors[] = null; // current data to be sent for SensorDataSet private static final byte HEART_RATE_DATA_INDEX = 0; private static final byte CADENCE_DATA_INDEX = 1; private int currentSensorData[] = { -1, -1 }; private long lastDataSentMillis = 0; private byte connectingChannelsBitmap = 0; public AntDirectSensorManager(Context context) { super(context); } @Override protected boolean handleMessage(byte messageId, byte[] messageData) { if (super.handleMessage(messageId, messageData)) { return true; } int channel = messageData[0] & AntDefine.CHANNEL_NUMBER_MASK; if (sensors == null || channel >= sensors.length) { Log.d(TAG, "Unknown channel in message: " + channel); return false; } AntSensorBase sensor = sensors[channel]; switch (messageId) { case AntMesg.MESG_BROADCAST_DATA_ID: if (sensor.getDeviceNumber() == WILDCARD) { resolveWildcardDeviceNumber((byte) channel); } sensor.handleBroadcastData(messageData, this); break; case AntMesg.MESG_RESPONSE_EVENT_ID: handleMessageResponse(messageData); break; case AntMesg.MESG_CHANNEL_ID_ID: sensor.setDeviceNumber(handleChannelId(messageData)); break; default: Log.e(TAG, "Unexpected ANT message id: " + messageId); } return true; } private short handleChannelId(byte[] rawMessage) { AntChannelIdMessage message = new AntChannelIdMessage(rawMessage); short deviceNumber = message.getDeviceNumber(); byte channel = message.getChannelNumber(); if (channel >= sensors.length) { Log.d(TAG, "Unknown channel in message: " + channel); return WILDCARD; } Log.i(TAG, "Found ANT device id: " + deviceNumber + " on channel: " + channel); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); SharedPreferences.Editor editor = prefs.edit(); editor.putInt(context.getString(sensorIdKeys[channel]), deviceNumber); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); return deviceNumber; } private void channelOut(byte channel) { if (channel >= sensors.length) { Log.d(TAG, "Unknown channel in message: " + channel); return; } connectingChannelsBitmap &= ~(1 << channel); Log.i(TAG, "ANT channel " + channel + " disconnected."); if (sensors[channel].getDeviceNumber() != WILDCARD) { Log.i(TAG, "Retrying...."); if (setupChannel(sensors[channel], channel)) { connectingChannelsBitmap |= 1 << channel; } } if (connectingChannelsBitmap == 0) { setSensorState(Sensor.SensorState.DISCONNECTED); } } private void handleMessageResponse(byte[] rawMessage) { AntChannelResponseMessage message = new AntChannelResponseMessage(rawMessage); byte channel = message.getChannelNumber(); switch (message.getMessageId()) { case AntMesg.MESG_EVENT_ID: if (message.getMessageCode() == AntDefine.EVENT_RX_SEARCH_TIMEOUT) { // Search timeout Log.w(TAG, "ANT search timed out. Unassigning channel " + channel); try { getAntReceiver().ANTUnassignChannel(channel); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error unassigning channel", e); channelOut(channel); } } break; case AntMesg.MESG_UNASSIGN_CHANNEL_ID: channelOut(channel); break; } } private void resolveWildcardDeviceNumber(byte channel) { try { getAntReceiver().ANTRequestMessage(channel, AntMesg.MESG_CHANNEL_ID_ID); } catch (AntInterfaceException e) { Log.e(TAG, "ANT error handling broadcast data", e); } Log.d(TAG, "Requesting channel id id on channel: " + channel); } @Override protected void setupAntSensorChannels() { short devIds[] = new short[sensorIdKeys.length]; SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs != null) { for (int i = 0; i < sensorIdKeys.length; ++i) { devIds[i] = (short) prefs.getInt(context.getString(sensorIdKeys[i]), WILDCARD); } } sensors = new AntSensorBase[] { new HeartRateSensor(devIds[HEART_RATE_CHANNEL]), new CadenceSensor(devIds[CADENCE_CHANNEL]), new CadenceSpeedSensor(devIds[CADENCE_SPEED_CHANNEL]), }; connectingChannelsBitmap = 0; for (int i = 0; i < sensors.length; ++i) { if (setupChannel(sensors[i], (byte) i)) { connectingChannelsBitmap |= 1 << i; } } if (connectingChannelsBitmap == 0) { setSensorState(Sensor.SensorState.DISCONNECTED); } } protected boolean setupChannel(AntSensorBase sensor, byte channel) { Log.i(TAG, "setup channel=" + channel + " deviceType=" + sensor.getDeviceType()); return setupAntSensorChannel(sensor.getNetworkNumber(), channel, sensor.getDeviceNumber(), sensor.getDeviceType(), (byte) 0x01, sensor.getChannelPeriod(), sensor.getFrequency(), (byte) 0); } private void sendSensorData(byte index, int value) { if (index >= currentSensorData.length) { Log.w(TAG, "invalid index in sendSensorData:" + index); return; } currentSensorData[index] = value; long now = System.currentTimeMillis(); // data comes in at ~4Hz rate from the sensors, so after >300 msec // fresh data is here from all the connected sensors if (now < lastDataSentMillis + 300) { return; } lastDataSentMillis = now; setSensorState(Sensor.SensorState.CONNECTED); Sensor.SensorDataSet.Builder b = Sensor.SensorDataSet.newBuilder(); if (currentSensorData[HEART_RATE_DATA_INDEX] >= 0) { b.setHeartRate( Sensor.SensorData.newBuilder() .setValue(currentSensorData[HEART_RATE_DATA_INDEX]) .setState(Sensor.SensorState.SENDING)); } if (currentSensorData[CADENCE_DATA_INDEX] >= 0) { b.setCadence( Sensor.SensorData.newBuilder() .setValue(currentSensorData[CADENCE_DATA_INDEX]) .setState(Sensor.SensorState.SENDING)); } sensorData = b.setCreationTime(now).build(); } public void setCadence(int value) { sendSensorData(CADENCE_DATA_INDEX, value); } public void setHeartRate(int value) { sendSensorData(HEART_RATE_DATA_INDEX, value); } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This class decodes and encapsulates an ANT Channel ID message. * (ANT Message ID 0x51, Protocol & Usage guide v4.2 section 9.5.7.2) * * @author Matthew Simmons */ public class AntChannelIdMessage extends AntMessage { private byte channelNumber; private short deviceNumber; private byte deviceTypeId; private byte transmissionType; public AntChannelIdMessage(byte[] messageData) { channelNumber = messageData[0]; deviceNumber = decodeShort(messageData[1], messageData[2]); deviceTypeId = messageData[3]; transmissionType = messageData[4]; } /** Returns the channel number */ public byte getChannelNumber() { return channelNumber; } /** Returns the device number */ public short getDeviceNumber() { return deviceNumber; } /** Returns the device type */ public byte getDeviceTypeId() { return deviceTypeId; } /** Returns the transmission type */ public byte getTransmissionType() { return transmissionType; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This class decodes and encapsulates an ANT Channel Response / Event message. * (ANT Message ID 0x40, Protocol & Usage guide v4.2 section 9.5.6.1) * * @author Matthew Simmons */ public class AntChannelResponseMessage extends AntMessage { private byte channelNumber; private byte messageId; private byte messageCode; public AntChannelResponseMessage(byte[] messageData) { channelNumber = messageData[0]; messageId = messageData[1]; messageCode = messageData[2]; } /** Returns the channel number */ public byte getChannelNumber() { return channelNumber; } /** Returns the ID of the message being responded to */ public byte getMessageId() { return messageId; } /** Returns the code for a specific response or event */ public byte getMessageCode() { return messageCode; } }
Java
/* * Copyright (C) 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * A enum which stores static data about ANT sensors. * * @author Matthew Simmons */ public enum AntSensor { SENSOR_HEART_RATE (Constants.ANT_DEVICE_TYPE_HRM), SENSOR_CADENCE (Constants.ANT_DEVICE_TYPE_CADENCE), SENSOR_SPEED (Constants.ANT_DEVICE_TYPE_SPEED), SENSOR_POWER (Constants.ANT_DEVICE_TYPE_POWER); private static class Constants { public static byte ANT_DEVICE_TYPE_POWER = 11; public static byte ANT_DEVICE_TYPE_HRM = 120; public static byte ANT_DEVICE_TYPE_CADENCE = 122; public static byte ANT_DEVICE_TYPE_SPEED = 123; }; private final byte deviceType; private AntSensor(byte deviceType) { this.deviceType = deviceType; } public byte getDeviceType() { return deviceType; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import com.dsi.ant.AntDefine; import com.dsi.ant.AntInterface; import android.content.Context; import java.lang.reflect.Field; import java.lang.reflect.Modifier; import java.util.HashSet; import java.util.Set; /** * Utility methods for ANT functionality. * * Prefer use of this class to importing DSI ANT classes into code outside of * the sensors package. */ public class AntUtils { private AntUtils() {} /** Returns true if this device supports ANT sensors. */ public static boolean hasAntSupport(Context context) { return AntInterface.hasAntSupport(context); } /** * Finds the names of in the messages with the given value */ public static String antMessageToString(byte msg) { return findConstByteInClass(AntDefine.class, msg, "MESG_.*_ID"); } /** * Finds the names of in the events with the given value */ public static String antEventToStr(byte event) { return findConstByteInClass(AntDefine.class, event, ".*EVENT.*"); } /** * Finds a set of constant static byte field declarations in the class that have the given value * and whose name match the given pattern * @param cl class to search in * @param value value of constant static byte field declarations to match * @param regexPattern pattern to match against the name of the field * @return a set of the names of fields, expressed as a string */ private static String findConstByteInClass(Class<?> cl, byte value, String regexPattern) { Field[] fields = cl.getDeclaredFields(); Set<String> fieldSet = new HashSet<String>(); for (Field f : fields) { try { if (f.getType() == Byte.TYPE && (f.getModifiers() & Modifier.STATIC) != 0 && f.getName().matches(regexPattern) && f.getByte(null) == value) { fieldSet.add(f.getName()); } } catch (IllegalArgumentException e) { // ignore } catch (IllegalAccessException e) { // ignore } } return fieldSet.toString(); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * Ant+ combined cadence and speed sensor. * * @author Laszlo Molnar */ public class CadenceSpeedSensor extends AntSensorBase { /* * These constants are defined by the ANT+ bike speed and cadence sensor spec. */ public static final byte CADENCE_SPEED_DEVICE_TYPE = 121; public static final short CADENCE_SPEED_CHANNEL_PERIOD = 8086; SensorEventCounter dataProcessor = new SensorEventCounter(); CadenceSpeedSensor(short devNum) { super(devNum, CADENCE_SPEED_DEVICE_TYPE, "speed&cadence sensor", CADENCE_SPEED_CHANNEL_PERIOD); } /** * Decode an ANT+ cadence&speed sensor message. * @param antMessage The byte array received from the sensor. */ @Override public void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c) { int sensorTime = ((int) antMessage[1] & 0xFF) + ((int) antMessage[2] & 0xFF) * 256; int crankRevs = ((int) antMessage[3] & 0xFF) + ((int) antMessage[4] & 0xFF) * 256; c.setCadence(dataProcessor.getEventsPerMinute(crankRevs, sensorTime)); } };
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; import static com.google.android.apps.mytracks.Constants.TAG; import android.util.Log; /** * Base class for ANT+ sensors. * * @author Laszlo Molnar */ public abstract class AntSensorBase { /* * These constants are defined by the ANT+ spec. */ public static final byte NETWORK_NUMBER = 1; public static final byte RF_FREQUENCY = 57; private short deviceNumber; private final byte deviceType; private final short channelPeriod; AntSensorBase(short deviceNumber, byte deviceType, String deviceTypeString, short channelPeriod) { this.deviceNumber = deviceNumber; this.deviceType = deviceType; this.channelPeriod = channelPeriod; Log.i(TAG, "Will pair with " + deviceTypeString + " device: " + ((int) deviceNumber & 0xFFFF)); } public abstract void handleBroadcastData(byte[] antMessage, AntSensorDataCollector c); public void setDeviceNumber(short dn) { deviceNumber = dn; } public short getDeviceNumber() { return deviceNumber; } public byte getNetworkNumber() { return NETWORK_NUMBER; } public byte getFrequency() { return RF_FREQUENCY; } public byte getDeviceType() { return deviceType; } public short getChannelPeriod() { return channelPeriod; } };
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors.ant; /** * This is a common superclass for ANT message subclasses. * * @author Matthew Simmons */ public class AntMessage { protected AntMessage() {} /** Build a short value from its constituent bytes */ protected static short decodeShort(byte b0, byte b1) { int value = b0 & 0xFF; value |= (b1 & 0xFF) << 8; return (short)value; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; /** * An implementation of a Sensor MessageParser for Polar Wearlink Bluetooth HRM. * * Polar Bluetooth Wearlink packet example; * Hdr Len Chk Seq Status HeartRate RRInterval_16-bits * FE 08 F7 06 F1 48 03 64 * where; * Hdr always = 254 (0xFE), * Chk = 255 - Len * Seq range 0 to 15 * Status = Upper nibble may be battery voltage * bit 0 is Beat Detection flag. * * Additional packet examples; * FE 08 F7 06 F1 48 03 64 * FE 0A F5 06 F1 48 03 64 03 70 * * @author John R. Gerthoffer */ public class PolarMessageParser implements MessageParser { private int lastHeartRate = 0; /** * Applies Polar packet validation rules to buffer. * Polar packets are checked for following; * offset 0 = header byte, 254 (0xFE). * offset 1 = packet length byte, 8, 10, 12, 14. * offset 2 = check byte, 255 - packet length. * offset 3 = sequence byte, range from 0 to 15. * * @param buffer an array of bytes to parse * @param i buffer offset to beginning of packet. * @return whether buffer has a valid packet at offset i */ private boolean packetValid (byte[] buffer, int i) { boolean headerValid = (buffer[i] & 0xFF) == 0xFE; boolean checkbyteValid = (buffer[i + 2] & 0xFF) == (0xFF - (buffer[i + 1] & 0xFF)); boolean sequenceValid = (buffer[i + 3] & 0xFF) < 16; return headerValid && checkbyteValid && sequenceValid; } @Override public Sensor.SensorDataSet parseBuffer(byte[] buffer) { int heartRate = 0; boolean heartrateValid = false; // Minimum length Polar packets is 8, so stop search 8 bytes before buffer ends. for (int i = 0; i < buffer.length - 8; i++) { heartrateValid = packetValid(buffer,i); if (heartrateValid) { heartRate = buffer[i + 5] & 0xFF; break; } } // If our buffer is corrupted, use decaying last good value. if(!heartrateValid) { heartRate = (int) (lastHeartRate * 0.8); if(heartRate < 50) heartRate = 0; } lastHeartRate = heartRate; // Remember good value for next time. // Heart Rate Sensor.SensorData.Builder b = Sensor.SensorData.newBuilder() .setValue(heartRate) .setState(Sensor.SensorState.SENDING); Sensor.SensorDataSet sds = Sensor.SensorDataSet.newBuilder() .setCreationTime(System.currentTimeMillis()) .setHeartRate(b) .build(); return sds; } /** * Applies packet validation rules to buffer * * @param buffer an array of bytes to parse * @return whether buffer has a valid packet starting at index zero */ @Override public boolean isValid(byte[] buffer) { return packetValid(buffer,0); } /** * Polar uses variable packet sizes; 8, 10, 12, 14 and rarely 16. * The most frequent are 8 and 10. * We will wait for 16 bytes. * This way, we are assured of getting one good one. * * @return the size of buffer needed to parse a good packet */ @Override public int getFrameSize() { return 16; } /** * Searches buffer for the beginning of a valid packet. * * @param buffer an array of bytes to parse * @return index to beginning of good packet, or -1 if none found. */ @Override public int findNextAlignment(byte[] buffer) { // Minimum length Polar packets is 8, so stop search 8 bytes before buffer ends. for (int i = 0; i < buffer.length - 8; i++) { if (packetValid(buffer,i)) { return i; } } return -1; } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.maps.mytracks.R; import android.bluetooth.BluetoothAdapter; import android.bluetooth.BluetoothDevice; import android.content.Context; import android.content.SharedPreferences; import android.os.Handler; import android.os.Looper; import android.os.Message; import android.util.Log; import android.widget.Toast; import java.util.ArrayList; /** * Manage the connection to a bluetooth sensor. * * @author Sandor Dornbush */ public class BluetoothSensorManager extends SensorManager { // Local Bluetooth adapter private static final BluetoothAdapter bluetoothAdapter = getDefaultBluetoothAdapter(); // Member object for the sensor threads and connections. private BluetoothConnectionManager connectionManager = null; // Name of the connected device private String connectedDeviceName = null; private Context context = null; private Sensor.SensorDataSet sensorDataSet = null; private MessageParser parser; public BluetoothSensorManager( Context context, MessageParser parser) { this.context = context; this.parser = parser; // If BT is not available or not enabled quit. if (!isEnabled()) { return; } setupSensor(); } private void setupSensor() { Log.d(Constants.TAG, "setupSensor()"); // Initialize the BluetoothSensorAdapter to perform bluetooth connections. connectionManager = new BluetoothConnectionManager(messageHandler, parser); } /** * Code for assigning the local bluetooth adapter * * @return The default bluetooth adapter, if one is available, NULL if it isn't. */ private static BluetoothAdapter getDefaultBluetoothAdapter() { // Check if the calling thread is the main application thread, // if it is, do it directly. if (Thread.currentThread().equals(Looper.getMainLooper().getThread())) { return BluetoothAdapter.getDefaultAdapter(); } // If the calling thread, isn't the main application thread, // then get the main application thread to return the default adapter. final ArrayList<BluetoothAdapter> adapters = new ArrayList<BluetoothAdapter>(1); final Object mutex = new Object(); Handler handler = new Handler(Looper.getMainLooper()); handler.post(new Runnable() { @Override public void run() { adapters.add(BluetoothAdapter.getDefaultAdapter()); synchronized (mutex) { mutex.notify(); } } }); while (adapters.isEmpty()) { synchronized (mutex) { try { mutex.wait(1000L); } catch (InterruptedException e) { Log.e(TAG, "Interrupted while waiting for default bluetooth adapter", e); } } } if (adapters.get(0) == null) { Log.w(TAG, "No bluetooth adapter found!"); } return adapters.get(0); } public boolean isEnabled() { return bluetoothAdapter != null && bluetoothAdapter.isEnabled(); } public void setupChannel() { if (!isEnabled() || connectionManager == null) { Log.w(Constants.TAG, "Disabled manager onStartTrack"); return; } SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); String address = prefs.getString(context.getString(R.string.bluetooth_sensor_key), ""); if (address == null || address.equals("")) { return; } Log.w(Constants.TAG, "Connecting to bluetooth sensor: " + address); // Get the BluetoothDevice object BluetoothDevice device = bluetoothAdapter.getRemoteDevice(address); // Attempt to connect to the device connectionManager.connect(device); // Performing this check in onResume() covers the case in which BT was // not enabled during onStart(), so we were paused to enable it... // onResume() will be called when ACTION_REQUEST_ENABLE activity returns. if (connectionManager != null) { // Only if the state is STATE_NONE, do we know that we haven't started // already if (connectionManager.getState() == Sensor.SensorState.NONE) { // Start the Bluetooth sensor services Log.w(Constants.TAG, "Disabled manager onStartTrack"); connectionManager.start(); } } } public void onDestroy() { // Stop the Bluetooth sensor services if (connectionManager != null) { connectionManager.stop(); } } public Sensor.SensorDataSet getSensorDataSet() { return sensorDataSet; } public Sensor.SensorState getSensorState() { return (connectionManager == null) ? Sensor.SensorState.NONE : connectionManager.getState(); } // The Handler that gets information back from the BluetoothSensorService private final Handler messageHandler = new Handler(Looper.getMainLooper()) { @Override public void handleMessage(Message msg) { switch (msg.what) { case BluetoothConnectionManager.MESSAGE_STATE_CHANGE: // TODO should we update the SensorManager state var? Log.i(Constants.TAG, "MESSAGE_STATE_CHANGE: " + msg.arg1); break; case BluetoothConnectionManager.MESSAGE_WRITE: break; case BluetoothConnectionManager.MESSAGE_READ: byte[] readBuf = null; try { readBuf = (byte[]) msg.obj; sensorDataSet = parser.parseBuffer(readBuf); Log.d(Constants.TAG, "MESSAGE_READ: " + sensorDataSet.toString()); } catch (IllegalArgumentException iae) { sensorDataSet = null; Log.i(Constants.TAG, "Got bad sensor data: " + new String(readBuf, 0, readBuf.length), iae); } catch (RuntimeException re) { sensorDataSet = null; Log.i(Constants.TAG, "Unexpected exception on read.", re); } break; case BluetoothConnectionManager.MESSAGE_DEVICE_NAME: // save the connected device's name connectedDeviceName = msg.getData().getString(BluetoothConnectionManager.DEVICE_NAME); Toast.makeText(context.getApplicationContext(), "Connected to " + connectedDeviceName, Toast.LENGTH_SHORT) .show(); break; } } }; }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.maps.mytracks.R; import android.content.Context; /** * A collection of methods for message parsers. * * @author Sandor Dornbush * @author Nico Laum */ public class SensorUtils { private SensorUtils() { } /** * Extract one unsigned short from a big endian byte array. * * @param buffer the buffer to extract the short from * @param index the first byte to be interpreted as part of the short * @return The unsigned short at the given index in the buffer */ public static int unsignedShortToInt(byte[] buffer, int index) { int r = (buffer[index] & 0xFF) << 8; r |= buffer[index + 1] & 0xFF; return r; } /** * Extract one unsigned short from a little endian byte array. * * @param buffer the buffer to extract the short from * @param index the first byte to be interpreted as part of the short * @return The unsigned short at the given index in the buffer */ public static int unsignedShortToIntLittleEndian(byte[] buffer, int index) { int r = buffer[index] & 0xFF; r |= (buffer[index + 1] & 0xFF) << 8; return r; } /** * Returns CRC8 (polynomial 0x8C) from byte array buffer[start] to * (excluding) buffer[start + length] * * @param buffer the byte array of data (payload) * @param start the position in the byte array where the payload begins * @param length the length * @return CRC8 value */ public static byte getCrc8(byte[] buffer, int start, int length) { byte crc = 0x0; for (int i = start; i < (start + length); i++) { crc = crc8PushByte(crc, buffer[i]); } return crc; } /** * Updates a CRC8 value by using the next byte passed to this method * * @param crc int of crc value * @param add the next byte to add to the CRC8 calculation */ private static byte crc8PushByte(byte crc, byte add) { crc = (byte) (crc ^ add); for (int i = 0; i < 8; i++) { if ((crc & 0x1) != 0x0) { // Using a 0xFF bit assures that 0-bits are introduced during the shift operation. // Otherwise, implicit casts to signed int could shift in 1-bits if the signed bit is 1. crc = (byte) (((crc & 0xFF) >> 1) ^ 0x8C); } else { crc = (byte) ((crc & 0xFF) >> 1); } } return crc; } public static String getStateAsString(Sensor.SensorState state, Context c) { switch (state) { case NONE: return c.getString(R.string.settings_sensor_type_none); case CONNECTING: return c.getString(R.string.sensor_state_connecting); case CONNECTED: return c.getString(R.string.sensor_state_connected); case DISCONNECTED: return c.getString(R.string.sensor_state_disconnected); case SENDING: return c.getString(R.string.sensor_state_sending); default: return ""; } } }
Java
/* * Copyright (C) 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.content.Sensor; /** * An interface for parsing a byte array to a SensorData object. * * @author Sandor Dornbush */ public interface MessageParser { public int getFrameSize(); public Sensor.SensorDataSet parseBuffer(byte[] readBuff); public boolean isValid(byte[] buffer); public int findNextAlignment(byte[] buffer); }
Java
/* * Copyright (C) 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import android.bluetooth.BluetoothAdapter; import android.bluetooth.BluetoothDevice; import android.bluetooth.BluetoothSocket; import android.os.Bundle; import android.os.Handler; import android.os.Message; import android.util.Log; import java.io.IOException; import java.io.InputStream; import java.io.OutputStream; import java.util.UUID; /** * This class does all the work for setting up and managing Bluetooth * connections with other devices. It has a thread that listens for incoming * connections, a thread for connecting with a device, and a thread for * performing data transmissions when connected. * * @author Sandor Dornbush */ public class BluetoothConnectionManager { // Unique Bluetooth UUID for My Tracks public static final UUID SPP_UUID = UUID.fromString("00001101-0000-1000-8000-00805F9B34FB"); private MessageParser parser; // Member fields private final BluetoothAdapter adapter; private final Handler handler; private ConnectThread connectThread; private ConnectedThread connectedThread; private Sensor.SensorState state; // Message types sent from the BluetoothSenorService Handler public static final int MESSAGE_STATE_CHANGE = 1; public static final int MESSAGE_READ = 2; public static final int MESSAGE_WRITE = 3; public static final int MESSAGE_DEVICE_NAME = 4; // Key names received from the BluetoothSenorService Handler public static final String DEVICE_NAME = "device_name"; /** * Constructor. Prepares a new BluetoothSensor session. * * @param handler A Handler to send messages back to the UI Activity * @param parser A message parser */ public BluetoothConnectionManager(Handler handler, MessageParser parser) { this.adapter = BluetoothAdapter.getDefaultAdapter(); this.state = Sensor.SensorState.NONE; this.handler = handler; this.parser = parser; } /** * Set the current state of the sensor connection * * @param state An integer defining the current connection state */ private synchronized void setState(Sensor.SensorState state) { // TODO pretty print this. Log.d(Constants.TAG, "setState(" + state + ")"); this.state = state; // Give the new state to the Handler so the UI Activity can update handler.obtainMessage(MESSAGE_STATE_CHANGE, state.getNumber(), -1).sendToTarget(); } /** * Return the current connection state. */ public synchronized Sensor.SensorState getState() { return state; } /** * Start the sensor service. Specifically start AcceptThread to begin a session * in listening (server) mode. Called by the Activity onResume() */ public synchronized void start() { Log.d(Constants.TAG, "BluetoothConnectionManager.start()"); // Cancel any thread attempting to make a connection if (connectThread != null) { connectThread.cancel(); connectThread = null; } // Cancel any thread currently running a connection if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } setState(Sensor.SensorState.NONE); } /** * Start the ConnectThread to initiate a connection to a remote device. * * @param device The BluetoothDevice to connect */ public synchronized void connect(BluetoothDevice device) { Log.d(Constants.TAG, "connect to: " + device); // Cancel any thread attempting to make a connection if (state == Sensor.SensorState.CONNECTING) { if (connectThread != null) { connectThread.cancel(); connectThread = null; } } // Cancel any thread currently running a connection if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } // Start the thread to connect with the given device connectThread = new ConnectThread(device); connectThread.start(); setState(Sensor.SensorState.CONNECTING); } /** * Start the ConnectedThread to begin managing a Bluetooth connection * * @param socket The BluetoothSocket on which the connection was made * @param device The BluetoothDevice that has been connected */ public synchronized void connected(BluetoothSocket socket, BluetoothDevice device) { Log.d(Constants.TAG, "connected"); // Cancel the thread that completed the connection if (connectThread != null) { connectThread.cancel(); connectThread = null; } // Cancel any thread currently running a connection if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } // Start the thread to manage the connection and perform transmissions connectedThread = new ConnectedThread(socket); connectedThread.start(); // Send the name of the connected device back to the UI Activity Message msg = handler.obtainMessage(MESSAGE_DEVICE_NAME); Bundle bundle = new Bundle(); bundle.putString(DEVICE_NAME, device.getName()); msg.setData(bundle); handler.sendMessage(msg); setState(Sensor.SensorState.CONNECTED); } /** * Stop all threads */ public synchronized void stop() { Log.d(Constants.TAG, "stop()"); if (connectThread != null) { connectThread.cancel(); connectThread = null; } if (connectedThread != null) { connectedThread.cancel(); connectedThread = null; } setState(Sensor.SensorState.NONE); } /** * Write to the ConnectedThread in an unsynchronized manner * * @param out The bytes to write * @see ConnectedThread#write(byte[]) */ public void write(byte[] out) { // Create temporary object ConnectedThread r; // Synchronize a copy of the ConnectedThread synchronized (this) { if (state != Sensor.SensorState.CONNECTED) { return; } r = connectedThread; } // Perform the write unsynchronized r.write(out); } /** * Indicate that the connection attempt failed and notify the UI Activity. */ private void connectionFailed() { setState(Sensor.SensorState.DISCONNECTED); Log.i(Constants.TAG, "Bluetooth connection failed."); } /** * Indicate that the connection was lost and notify the UI Activity. */ private void connectionLost() { setState(Sensor.SensorState.DISCONNECTED); Log.i(Constants.TAG, "Bluetooth connection lost."); } /** * This thread runs while attempting to make an outgoing connection with a * device. It runs straight through; the connection either succeeds or fails. */ private class ConnectThread extends Thread { private final BluetoothSocket socket; private final BluetoothDevice device; public ConnectThread(BluetoothDevice device) { setName("ConnectThread-" + device.getName()); this.device = device; BluetoothSocket tmp = null; // Get a BluetoothSocket for a connection with the // given BluetoothDevice try { tmp = ApiAdapterFactory.getApiAdapter().getBluetoothSocket(device); } catch (IOException e) { Log.e(Constants.TAG, "create() failed", e); } socket = tmp; } @Override public void run() { Log.d(Constants.TAG, "BEGIN mConnectThread"); // Always cancel discovery because it will slow down a connection adapter.cancelDiscovery(); // Make a connection to the BluetoothSocket try { // This is a blocking call and will only return on a // successful connection or an exception socket.connect(); } catch (IOException e) { connectionFailed(); // Close the socket try { socket.close(); } catch (IOException e2) { Log.e(Constants.TAG, "unable to close() socket during connection failure", e2); } // Start the service over to restart listening mode BluetoothConnectionManager.this.start(); return; } // Reset the ConnectThread because we're done synchronized (BluetoothConnectionManager.this) { connectThread = null; } // Start the connected thread connected(socket, device); } public void cancel() { try { socket.close(); } catch (IOException e) { Log.e(Constants.TAG, "close() of connect socket failed", e); } } } /** * This thread runs during a connection with a remote device. It handles all * incoming and outgoing transmissions. */ private class ConnectedThread extends Thread { private final BluetoothSocket btSocket; private final InputStream mmInStream; private final OutputStream mmOutStream; public ConnectedThread(BluetoothSocket socket) { Log.d(Constants.TAG, "create ConnectedThread"); btSocket = socket; InputStream tmpIn = null; OutputStream tmpOut = null; // Get the BluetoothSocket input and output streams try { tmpIn = socket.getInputStream(); tmpOut = socket.getOutputStream(); } catch (IOException e) { Log.e(Constants.TAG, "temp sockets not created", e); } mmInStream = tmpIn; mmOutStream = tmpOut; } @Override public void run() { Log.i(Constants.TAG, "BEGIN mConnectedThread"); byte[] buffer = new byte[parser.getFrameSize()]; int bytes; int offset = 0; // Keep listening to the InputStream while connected while (true) { try { // Read from the InputStream bytes = mmInStream.read(buffer, offset, parser.getFrameSize() - offset); if (bytes < 0) { throw new IOException("EOF reached"); } offset += bytes; if (offset != parser.getFrameSize()) { // partial frame received, call read() again to receive the rest continue; } // check if its a valid frame if (!parser.isValid(buffer)) { int index = parser.findNextAlignment(buffer); if (index > 0) { // re-align offset = parser.getFrameSize() - index; System.arraycopy(buffer, index, buffer, 0, offset); Log.w(Constants.TAG, "Misaligned data, found new message at " + index + " recovering..."); continue; } Log.w(Constants.TAG, "Could not find valid data, dropping data"); offset = 0; continue; } offset = 0; // Send copy of the obtained bytes to the UI Activity. // Avoids memory inconsistency issues. handler.obtainMessage(MESSAGE_READ, bytes, -1, buffer.clone()) .sendToTarget(); } catch (IOException e) { Log.e(Constants.TAG, "disconnected", e); connectionLost(); break; } } } /** * Write to the connected OutStream. * * @param buffer The bytes to write */ public void write(byte[] buffer) { try { mmOutStream.write(buffer); // Share the sent message back to the UI Activity handler.obtainMessage(MESSAGE_WRITE, -1, -1, buffer).sendToTarget(); } catch (IOException e) { Log.e(Constants.TAG, "Exception during write", e); } } public void cancel() { try { btSocket.close(); } catch (IOException e) { Log.e(Constants.TAG, "close() of connect socket failed", e); } } } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import android.content.Context; /** * PolarSensorManager - A sensor manager for Polar heart rate monitors. */ public class PolarSensorManager extends BluetoothSensorManager { public PolarSensorManager(Context context) { super(context, new PolarMessageParser()); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services.sensors; import java.util.Timer; import java.util.TimerTask; import android.util.Log; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Sensor; /** * Manage the connection to a sensor. * * @author Sandor Dornbush */ public abstract class SensorManager { /** * The maximum age where the data is considered valid. */ public static final long MAX_AGE = 5000; /** * Time to wait after a time out to retry. */ public static final int RETRY_PERIOD = 30000; private Sensor.SensorState sensorState = Sensor.SensorState.NONE; private long sensorStateTimestamp = 0; /** * A task to run periodically to check to see if connection was lost. */ private TimerTask checkSensorManager = new TimerTask() { @Override public void run() { Log.i(Constants.TAG, "SensorManager state: " + getSensorState()); switch (getSensorState()) { case CONNECTING: long age = System.currentTimeMillis() - getSensorStateTimestamp(); if (age > 2 * RETRY_PERIOD) { Log.i(Constants.TAG, "Retrying connecting SensorManager."); setupChannel(); } break; case DISCONNECTED: Log.i(Constants.TAG, "Re-registering disconnected SensoManager."); setupChannel(); break; } } }; /** * This timer invokes periodically the checkLocationListener timer task. */ private final Timer timer = new Timer(); /** * Is the sensor that this manages enabled. * @return true if the sensor is enabled */ public abstract boolean isEnabled(); /** * This is called when my tracks starts recording a new track. * This is the place to open connections to the sensor. */ public void onStartTrack() { setupChannel(); timer.schedule(checkSensorManager, RETRY_PERIOD, RETRY_PERIOD); } /** * This method is used to set up any necessary connections to underlying * sensor hardware. */ protected abstract void setupChannel(); public void shutdown() { timer.cancel(); onDestroy(); } /** * This is called when my tracks stops recording. * This is the place to shutdown any open connections. */ public abstract void onDestroy(); /** * Return the last sensor reading. * @return The last reading from the sensor. */ public abstract Sensor.SensorDataSet getSensorDataSet(); public void setSensorState(Sensor.SensorState sensorState) { this.sensorState = sensorState; } /** * Return the current sensor state. * @return The current sensor state. */ public Sensor.SensorState getSensorState() { return sensorState; } public long getSensorStateTimestamp() { return sensorStateTimestamp; } /** * @return True if the data is recent enough to be considered valid. */ public boolean isDataValid() { return (System.currentTimeMillis() - getSensorDataSet().getCreationTime()) < MAX_AGE; } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; /** * A LocationListenerPolicy that will change based on how long the user has been * stationary. * * This policy will dictate a policy based on a min, max and idle time. * The policy will dictate an interval bounded by min and max whic is half of * the idle time. * * @author Sandor Dornbush */ public class AdaptiveLocationListenerPolicy implements LocationListenerPolicy { /** * Smallest interval this policy will dictate, in milliseconds. */ private final long minInterval; /** * Largest interval this policy will dictate, in milliseconds. */ private final long maxInterval; private final int minDistance; /** * The time the user has been at the current location, in milliseconds. */ private long idleTime; /** * Creates a policy that will be bounded by the given min and max. * * @param min Smallest interval this policy will dictate, in milliseconds * @param max Largest interval this policy will dictate, in milliseconds */ public AdaptiveLocationListenerPolicy(long min, long max, int minDistance) { this.minInterval = min; this.maxInterval = max; this.minDistance = minDistance; } /** * @return An interval bounded by min and max which is half of the idle time */ public long getDesiredPollingInterval() { long desiredInterval = idleTime / 2; // Round to avoid setting the interval too often. desiredInterval = (desiredInterval / 1000) * 1000; return Math.max(Math.min(maxInterval, desiredInterval), minInterval); } public void updateIdleTime(long newIdleTime) { this.idleTime = newIdleTime; } /** * Returns the minimum distance between updates. */ public int getMinDistance() { return minDistance; } }
Java
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import static com.google.android.apps.mytracks.Constants.RESUME_TRACK_EXTRA_NAME; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.MyTracks; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.DescriptionGeneratorImpl; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.content.WaypointsColumns; import com.google.android.apps.mytracks.services.sensors.SensorManager; import com.google.android.apps.mytracks.services.sensors.SensorManagerFactory; import com.google.android.apps.mytracks.services.tasks.PeriodicTaskExecutor; import com.google.android.apps.mytracks.services.tasks.SplitTask; import com.google.android.apps.mytracks.services.tasks.StatusAnnouncerFactory; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.stats.TripStatisticsBuilder; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Notification; import android.app.PendingIntent; import android.app.Service; import android.content.ContentValues; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.database.Cursor; import android.database.sqlite.SQLiteException; import android.location.Location; import android.location.LocationListener; import android.location.LocationManager; import android.net.Uri; import android.os.Binder; import android.os.Bundle; import android.os.Handler; import android.os.IBinder; import android.os.PowerManager; import android.os.PowerManager.WakeLock; import android.os.Process; import android.util.Log; import java.util.Timer; import java.util.TimerTask; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; /** * A background service that registers a location listener and records track * points. Track points are saved to the MyTracksProvider. * * @author Leif Hendrik Wilden */ public class TrackRecordingService extends Service { static final int MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS = 3; private LocationManager locationManager; private WakeLock wakeLock; private int minRecordingDistance = Constants.DEFAULT_MIN_RECORDING_DISTANCE; private int maxRecordingDistance = Constants.DEFAULT_MAX_RECORDING_DISTANCE; private int minRequiredAccuracy = Constants.DEFAULT_MIN_REQUIRED_ACCURACY; private int autoResumeTrackTimeout = Constants.DEFAULT_AUTO_RESUME_TRACK_TIMEOUT; private long recordingTrackId = -1; private long currentWaypointId = -1; /** The timer posts a runnable to the main thread via this handler. */ private final Handler handler = new Handler(); /** * Utilities to deal with the database. */ private MyTracksProviderUtils providerUtils; private TripStatisticsBuilder statsBuilder; private TripStatisticsBuilder waypointStatsBuilder; /** * Current length of the recorded track. This length is calculated from the * recorded points (as compared to each location fix). It's used to overlay * waypoints precisely in the elevation profile chart. */ private double length; /** * Status announcer executor. */ private PeriodicTaskExecutor announcementExecutor; private PeriodicTaskExecutor splitExecutor; private SensorManager sensorManager; private PreferenceManager prefManager; /** * The interval in milliseconds that we have requested to be notified of gps * readings. */ private long currentRecordingInterval; /** * The policy used to decide how often we should request gps updates. */ private LocationListenerPolicy locationListenerPolicy = new AbsoluteLocationListenerPolicy(0); private LocationListener locationListener = new LocationListener() { @Override public void onProviderDisabled(String provider) { // Do nothing } @Override public void onProviderEnabled(String provider) { // Do nothing } @Override public void onStatusChanged(String provider, int status, Bundle extras) { // Do nothing } @Override public void onLocationChanged(final Location location) { if (executorService.isShutdown() || executorService.isTerminated()) { return; } executorService.submit( new Runnable() { @Override public void run() { onLocationChangedAsync(location); } }); } }; /** * Task invoked by a timer periodically to make sure the location listener is * still registered. */ private TimerTask checkLocationListener = new TimerTask() { @Override public void run() { // It's always safe to assume that if isRecording() is true, it implies // that onCreate() has finished. if (isRecording()) { handler.post(new Runnable() { public void run() { Log.d(Constants.TAG, "Re-registering location listener with TrackRecordingService."); unregisterLocationListener(); registerLocationListener(); } }); } } }; /** * This timer invokes periodically the checkLocationListener timer task. */ private final Timer timer = new Timer(); /** * Is the phone currently moving? */ private boolean isMoving = true; /** * The most recent recording track. */ private Track recordingTrack; /** * Is the service currently recording a track? */ private boolean isRecording; /** * Last good location the service has received from the location listener */ private Location lastLocation; /** * Last valid location (i.e. not a marker) that was recorded. */ private Location lastValidLocation; /** * A service to run tasks outside of the main thread. */ private ExecutorService executorService; private ServiceBinder binder = new ServiceBinder(this); /* * Application lifetime events: */ /* * Note that this service, through the AndroidManifest.xml, is configured to * allow both MyTracks and third party apps to invoke it. For the onCreate * callback, we cannot tell whether the caller is MyTracks or a third party * app, thus it cannot start/stop a recording or write/update MyTracks * database. However, it can resume a recording. */ @Override public void onCreate() { super.onCreate(); Log.d(TAG, "TrackRecordingService.onCreate"); providerUtils = MyTracksProviderUtils.Factory.get(this); locationManager = (LocationManager) getSystemService(LOCATION_SERVICE); setUpTaskExecutors(); executorService = Executors.newSingleThreadExecutor(); prefManager = new PreferenceManager(this); registerLocationListener(); /* * After 5 min, check every minute that location listener still is * registered and spit out additional debugging info to the logs: */ timer.schedule(checkLocationListener, 1000 * 60 * 5, 1000 * 60); // Try to restore previous recording state in case this service has been // restarted by the system, which can sometimes happen. recordingTrack = getRecordingTrack(); if (recordingTrack != null) { restoreStats(recordingTrack); isRecording = true; } else { if (recordingTrackId != -1) { // Make sure we have consistent state in shared preferences. Log.w(TAG, "TrackRecordingService.onCreate: " + "Resetting an orphaned recording track = " + recordingTrackId); } prefManager.setRecordingTrack(recordingTrackId = -1); } showNotification(); } /* * Note that this service, through the AndroidManifest.xml, is configured to * allow both MyTracks and third party apps to invoke it. For the onStart * callback, we cannot tell whether the caller is MyTracks or a third party * app, thus it cannot start/stop a recording or write/update MyTracks * database. However, it can resume a recording. */ @Override public void onStart(Intent intent, int startId) { handleStartCommand(intent, startId); } /* * Note that this service, through the AndroidManifest.xml, is configured to * allow both MyTracks and third party apps to invoke it. For the * onStartCommand callback, we cannot tell whether the caller is MyTracks or a * third party app, thus it cannot start/stop a recording or write/update * MyTracks database. However, it can resume a recording. */ @Override public int onStartCommand(Intent intent, int flags, int startId) { handleStartCommand(intent, startId); return START_STICKY; } private void handleStartCommand(Intent intent, int startId) { Log.d(TAG, "TrackRecordingService.handleStartCommand: " + startId); if (intent == null) { return; } // Check if called on phone reboot with resume intent. if (intent.getBooleanExtra(RESUME_TRACK_EXTRA_NAME, false)) { resumeTrack(startId); } } private boolean isTrackInProgress() { return recordingTrackId != -1 || isRecording; } private void resumeTrack(int startId) { Log.d(TAG, "TrackRecordingService: requested resume"); // Make sure that the current track exists and is fresh enough. if (recordingTrack == null || !shouldResumeTrack(recordingTrack)) { Log.i(TAG, "TrackRecordingService: Not resuming, because the previous track (" + recordingTrack + ") doesn't exist or is too old"); isRecording = false; prefManager.setRecordingTrack(recordingTrackId = -1); stopSelfResult(startId); return; } Log.i(TAG, "TrackRecordingService: resuming"); } @Override public IBinder onBind(Intent intent) { Log.d(TAG, "TrackRecordingService.onBind"); return binder; } @Override public boolean onUnbind(Intent intent) { Log.d(TAG, "TrackRecordingService.onUnbind"); return super.onUnbind(intent); } @Override public void onDestroy() { Log.d(TAG, "TrackRecordingService.onDestroy"); isRecording = false; showNotification(); prefManager.shutdown(); prefManager = null; checkLocationListener.cancel(); checkLocationListener = null; timer.cancel(); timer.purge(); unregisterLocationListener(); shutdownTaskExecutors(); if (sensorManager != null) { SensorManagerFactory.getInstance().releaseSensorManager(sensorManager); sensorManager = null; } // Make sure we have no indirect references to this service. locationManager = null; providerUtils = null; binder.detachFromService(); binder = null; // This should be the last operation. releaseWakeLock(); // Shutdown the executor service last to avoid sending events to a dead executor. executorService.shutdown(); super.onDestroy(); } private void setAutoResumeTrackRetries(int retryAttempts) { Log.d(TAG, "Updating auto-resume retry attempts to: " + retryAttempts); prefManager.setAutoResumeTrackCurrentRetry(retryAttempts); } private boolean shouldResumeTrack(Track track) { Log.d(TAG, "shouldResumeTrack: autoResumeTrackTimeout = " + autoResumeTrackTimeout); // Check if we haven't exceeded the maximum number of retry attempts. SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); int retries = sharedPreferences.getInt( getString(R.string.auto_resume_track_current_retry_key), 0); Log.d(TAG, "shouldResumeTrack: Attempting to auto-resume the track (" + (retries + 1) + "/" + MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS + ")"); if (retries >= MAX_AUTO_RESUME_TRACK_RETRY_ATTEMPTS) { Log.i(TAG, "shouldResumeTrack: Not resuming because exceeded the maximum " + "number of auto-resume retries"); return false; } // Increase number of retry attempts. setAutoResumeTrackRetries(retries + 1); // Check for special cases. if (autoResumeTrackTimeout == 0) { // Never resume. Log.d(TAG, "shouldResumeTrack: Auto-resume disabled (never resume)"); return false; } else if (autoResumeTrackTimeout == -1) { // Always resume. Log.d(TAG, "shouldResumeTrack: Auto-resume forced (always resume)"); return true; } // Check if the last modified time is within the acceptable range. long lastModified = track.getStatistics() != null ? track.getStatistics().getStopTime() : 0; Log.d(TAG, "shouldResumeTrack: lastModified = " + lastModified + ", autoResumeTrackTimeout: " + autoResumeTrackTimeout); return lastModified > 0 && System.currentTimeMillis() - lastModified <= autoResumeTrackTimeout * 60L * 1000L; } /* * Setup/shutdown methods. */ /** * Tries to acquire a partial wake lock if not already acquired. Logs errors * and gives up trying in case the wake lock cannot be acquired. */ private void acquireWakeLock() { try { PowerManager pm = (PowerManager) getSystemService(Context.POWER_SERVICE); if (pm == null) { Log.e(TAG, "TrackRecordingService: Power manager not found!"); return; } if (wakeLock == null) { wakeLock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, TAG); if (wakeLock == null) { Log.e(TAG, "TrackRecordingService: Could not create wake lock (null)."); return; } } if (!wakeLock.isHeld()) { wakeLock.acquire(); if (!wakeLock.isHeld()) { Log.e(TAG, "TrackRecordingService: Could not acquire wake lock."); } } } catch (RuntimeException e) { Log.e(TAG, "TrackRecordingService: Caught unexpected exception: " + e.getMessage(), e); } } /** * Releases the wake lock if it's currently held. */ private void releaseWakeLock() { if (wakeLock != null && wakeLock.isHeld()) { wakeLock.release(); wakeLock = null; } } /** * Shows the notification message and icon in the notification bar. */ private void showNotification() { if (isRecording) { Notification notification = new Notification( R.drawable.arrow_320, null /* tickerText */, System.currentTimeMillis()); PendingIntent contentIntent = PendingIntent.getActivity( this, 0 /* requestCode */, new Intent(this, MyTracks.class), 0 /* flags */); notification.setLatestEventInfo(this, getString(R.string.my_tracks_app_name), getString(R.string.track_record_notification), contentIntent); notification.flags += Notification.FLAG_NO_CLEAR; startForegroundService(notification); } else { stopForegroundService(); } } @VisibleForTesting protected void startForegroundService(Notification notification) { startForeground(1, notification); } @VisibleForTesting protected void stopForegroundService() { stopForeground(true); } private void setUpTaskExecutors() { announcementExecutor = new PeriodicTaskExecutor(this, new StatusAnnouncerFactory()); splitExecutor = new PeriodicTaskExecutor(this, new SplitTask.Factory()); } private void shutdownTaskExecutors() { Log.d(TAG, "TrackRecordingService.shutdownExecuters"); try { announcementExecutor.shutdown(); } finally { announcementExecutor = null; } try { splitExecutor.shutdown(); } finally { splitExecutor = null; } } private void registerLocationListener() { if (locationManager == null) { Log.e(TAG, "TrackRecordingService: Do not have any location manager."); return; } Log.d(TAG, "Preparing to register location listener w/ TrackRecordingService..."); try { long desiredInterval = locationListenerPolicy.getDesiredPollingInterval(); locationManager.requestLocationUpdates( LocationManager.GPS_PROVIDER, desiredInterval, locationListenerPolicy.getMinDistance(), // , 0 /* minDistance, get all updates to properly time pauses */ locationListener); currentRecordingInterval = desiredInterval; Log.d(TAG, "...location listener now registered w/ TrackRecordingService @ " + currentRecordingInterval); } catch (RuntimeException e) { Log.e(TAG, "Could not register location listener: " + e.getMessage(), e); } } private void unregisterLocationListener() { if (locationManager == null) { Log.e(TAG, "TrackRecordingService: Do not have any location manager."); return; } locationManager.removeUpdates(locationListener); Log.d(TAG, "Location listener now unregistered w/ TrackRecordingService."); } private String getDefaultActivityType(Context context) { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return prefs.getString(context.getString(R.string.default_activity_key), ""); } /* * Recording lifecycle. */ private long startNewTrack() { Log.d(TAG, "TrackRecordingService.startNewTrack"); if (isTrackInProgress()) { return -1L; } long startTime = System.currentTimeMillis(); acquireWakeLock(); Track track = new Track(); TripStatistics trackStats = track.getStatistics(); trackStats.setStartTime(startTime); track.setStartId(-1); Uri trackUri = providerUtils.insertTrack(track); recordingTrackId = Long.parseLong(trackUri.getLastPathSegment()); track.setId(recordingTrackId); track.setName(new DefaultTrackNameFactory(this).getDefaultTrackName( recordingTrackId, startTime)); track.setCategory(getDefaultActivityType(this)); isRecording = true; isMoving = true; providerUtils.updateTrack(track); statsBuilder = new TripStatisticsBuilder(startTime); statsBuilder.setMinRecordingDistance(minRecordingDistance); waypointStatsBuilder = new TripStatisticsBuilder(startTime); waypointStatsBuilder.setMinRecordingDistance(minRecordingDistance); currentWaypointId = insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); length = 0; showNotification(); registerLocationListener(); sensorManager = SensorManagerFactory.getInstance().getSensorManager(this); // Reset the number of auto-resume retries. setAutoResumeTrackRetries(0); // Persist the current recording track. prefManager.setRecordingTrack(recordingTrackId); // Notify the world that we're now recording. sendTrackBroadcast( R.string.track_started_broadcast_action, recordingTrackId); announcementExecutor.restore(); splitExecutor.restore(); return recordingTrackId; } private void restoreStats(Track track) { Log.d(TAG, "Restoring stats of track with ID: " + track.getId()); TripStatistics stats = track.getStatistics(); statsBuilder = new TripStatisticsBuilder(stats.getStartTime()); statsBuilder.setMinRecordingDistance(minRecordingDistance); length = 0; lastValidLocation = null; Waypoint waypoint = providerUtils.getFirstWaypoint(recordingTrackId); if (waypoint != null && waypoint.getStatistics() != null) { currentWaypointId = waypoint.getId(); waypointStatsBuilder = new TripStatisticsBuilder( waypoint.getStatistics()); } else { // This should never happen, but we got to do something so life goes on: waypointStatsBuilder = new TripStatisticsBuilder(stats.getStartTime()); currentWaypointId = -1; } waypointStatsBuilder.setMinRecordingDistance(minRecordingDistance); Cursor cursor = null; try { cursor = providerUtils.getLocationsCursor( recordingTrackId, -1, Constants.MAX_LOADED_TRACK_POINTS, true); if (cursor != null) { if (cursor.moveToLast()) { do { Location location = providerUtils.createLocation(cursor); if (LocationUtils.isValidLocation(location)) { statsBuilder.addLocation(location, location.getTime()); if (lastValidLocation != null) { length += location.distanceTo(lastValidLocation); } lastValidLocation = location; } } while (cursor.moveToPrevious()); } statsBuilder.getStatistics().setMovingTime(stats.getMovingTime()); statsBuilder.pauseAt(stats.getStopTime()); statsBuilder.resumeAt(System.currentTimeMillis()); } else { Log.e(TAG, "Could not get track points cursor."); } } catch (RuntimeException e) { Log.e(TAG, "Error while restoring track.", e); } finally { if (cursor != null) { cursor.close(); } } announcementExecutor.restore(); splitExecutor.restore(); } private void onLocationChangedAsync(Location location) { Log.d(TAG, "TrackRecordingService.onLocationChanged"); try { // Don't record if the service has been asked to pause recording: if (!isRecording) { Log.w(TAG, "Not recording because recording has been paused."); return; } // This should never happen, but just in case (we really don't want the // service to crash): if (location == null) { Log.w(TAG, "Location changed, but location is null."); return; } // Don't record if the accuracy is too bad: if (location.getAccuracy() > minRequiredAccuracy) { Log.d(TAG, "Not recording. Bad accuracy."); return; } // At least one track must be available for appending points: recordingTrack = getRecordingTrack(); if (recordingTrack == null) { Log.d(TAG, "Not recording. No track to append to available."); return; } // Update the idle time if needed. locationListenerPolicy.updateIdleTime(statsBuilder.getIdleTime()); addLocationToStats(location); if (currentRecordingInterval != locationListenerPolicy.getDesiredPollingInterval()) { registerLocationListener(); } Location lastRecordedLocation = providerUtils.getLastLocation(); double distanceToLastRecorded = Double.POSITIVE_INFINITY; if (lastRecordedLocation != null) { distanceToLastRecorded = location.distanceTo(lastRecordedLocation); } double distanceToLast = Double.POSITIVE_INFINITY; if (lastLocation != null) { distanceToLast = location.distanceTo(lastLocation); } boolean hasSensorData = sensorManager != null && sensorManager.isEnabled() && sensorManager.getSensorDataSet() != null && sensorManager.isDataValid(); // If the user has been stationary for two recording just record the first // two and ignore the rest. This code will only have an effect if the // maxRecordingDistance = 0 if (distanceToLast == 0 && !hasSensorData) { if (isMoving) { Log.d(TAG, "Found two identical locations."); isMoving = false; if (lastLocation != null && lastRecordedLocation != null && !lastRecordedLocation.equals(lastLocation)) { // Need to write the last location. This will happen when // lastRecordedLocation.distance(lastLocation) < // minRecordingDistance if (!insertLocation(lastLocation, lastRecordedLocation, recordingTrackId)) { return; } } } else { Log.d(TAG, "Not recording. More than two identical locations."); } } else if (distanceToLastRecorded > minRecordingDistance || hasSensorData) { if (lastLocation != null && !isMoving) { // Last location was the last stationary location. Need to go back and // add it. if (!insertLocation(lastLocation, lastRecordedLocation, recordingTrackId)) { return; } isMoving = true; } // If separation from last recorded point is too large insert a // separator to indicate end of a segment: boolean startNewSegment = lastRecordedLocation != null && lastRecordedLocation.getLatitude() < 90 && distanceToLastRecorded > maxRecordingDistance && recordingTrack.getStartId() >= 0; if (startNewSegment) { // Insert a separator point to indicate start of new track: Log.d(TAG, "Inserting a separator."); Location separator = new Location(LocationManager.GPS_PROVIDER); separator.setLongitude(0); separator.setLatitude(100); separator.setTime(lastRecordedLocation.getTime()); providerUtils.insertTrackPoint(separator, recordingTrackId); } if (!insertLocation(location, lastRecordedLocation, recordingTrackId)) { return; } } else { Log.d(TAG, String.format( "Not recording. Distance to last recorded point (%f m) is less than" + " %d m.", distanceToLastRecorded, minRecordingDistance)); // Return here so that the location is NOT recorded as the last location. return; } } catch (Error e) { // Probably important enough to rethrow. Log.e(TAG, "Error in onLocationChanged", e); throw e; } catch (RuntimeException e) { // Safe usually to trap exceptions. Log.e(TAG, "Trapping exception in onLocationChanged", e); throw e; } lastLocation = location; } /** * Inserts a new location in the track points db and updates the corresponding * track in the track db. * * @param location the location to be inserted * @param lastRecordedLocation the last recorded location before this one (or * null if none) * @param trackId the id of the track * @return true if successful. False if SQLite3 threw an exception. */ private boolean insertLocation(Location location, Location lastRecordedLocation, long trackId) { // Keep track of length along recorded track (needed when a waypoint is // inserted): if (LocationUtils.isValidLocation(location)) { if (lastValidLocation != null) { length += location.distanceTo(lastValidLocation); } lastValidLocation = location; } // Insert the new location: try { Location locationToInsert = location; if (sensorManager != null && sensorManager.isEnabled()) { SensorDataSet sd = sensorManager.getSensorDataSet(); if (sd != null && sensorManager.isDataValid()) { locationToInsert = new MyTracksLocation(location, sd); } } Uri pointUri = providerUtils.insertTrackPoint(locationToInsert, trackId); int pointId = Integer.parseInt(pointUri.getLastPathSegment()); // Update the current track: if (lastRecordedLocation != null && lastRecordedLocation.getLatitude() < 90) { ContentValues values = new ContentValues(); TripStatistics stats = statsBuilder.getStatistics(); if (recordingTrack.getStartId() < 0) { values.put(TracksColumns.STARTID, pointId); recordingTrack.setStartId(pointId); } values.put(TracksColumns.STOPID, pointId); values.put(TracksColumns.STOPTIME, System.currentTimeMillis()); values.put(TracksColumns.NUMPOINTS, recordingTrack.getNumberOfPoints() + 1); values.put(TracksColumns.MINLAT, stats.getBottom()); values.put(TracksColumns.MAXLAT, stats.getTop()); values.put(TracksColumns.MINLON, stats.getLeft()); values.put(TracksColumns.MAXLON, stats.getRight()); values.put(TracksColumns.TOTALDISTANCE, stats.getTotalDistance()); values.put(TracksColumns.TOTALTIME, stats.getTotalTime()); values.put(TracksColumns.MOVINGTIME, stats.getMovingTime()); values.put(TracksColumns.AVGSPEED, stats.getAverageSpeed()); values.put(TracksColumns.AVGMOVINGSPEED, stats.getAverageMovingSpeed()); values.put(TracksColumns.MAXSPEED, stats.getMaxSpeed()); values.put(TracksColumns.MINELEVATION, stats.getMinElevation()); values.put(TracksColumns.MAXELEVATION, stats.getMaxElevation()); values.put(TracksColumns.ELEVATIONGAIN, stats.getTotalElevationGain()); values.put(TracksColumns.MINGRADE, stats.getMinGrade()); values.put(TracksColumns.MAXGRADE, stats.getMaxGrade()); getContentResolver().update(TracksColumns.CONTENT_URI, values, "_id=" + recordingTrack.getId(), null); updateCurrentWaypoint(); } } catch (SQLiteException e) { // Insert failed, most likely because of SqlLite error code 5 // (SQLite_BUSY). This is expected to happen extremely rarely (if our // listener gets invoked twice at about the same time). Log.w(TAG, "Caught SQLiteException: " + e.getMessage(), e); return false; } announcementExecutor.update(); splitExecutor.update(); return true; } private void updateCurrentWaypoint() { if (currentWaypointId >= 0) { ContentValues values = new ContentValues(); TripStatistics waypointStats = waypointStatsBuilder.getStatistics(); values.put(WaypointsColumns.STARTTIME, waypointStats.getStartTime()); values.put(WaypointsColumns.LENGTH, length); values.put(WaypointsColumns.DURATION, System.currentTimeMillis() - statsBuilder.getStatistics().getStartTime()); values.put(WaypointsColumns.TOTALDISTANCE, waypointStats.getTotalDistance()); values.put(WaypointsColumns.TOTALTIME, waypointStats.getTotalTime()); values.put(WaypointsColumns.MOVINGTIME, waypointStats.getMovingTime()); values.put(WaypointsColumns.AVGSPEED, waypointStats.getAverageSpeed()); values.put(WaypointsColumns.AVGMOVINGSPEED, waypointStats.getAverageMovingSpeed()); values.put(WaypointsColumns.MAXSPEED, waypointStats.getMaxSpeed()); values.put(WaypointsColumns.MINELEVATION, waypointStats.getMinElevation()); values.put(WaypointsColumns.MAXELEVATION, waypointStats.getMaxElevation()); values.put(WaypointsColumns.ELEVATIONGAIN, waypointStats.getTotalElevationGain()); values.put(WaypointsColumns.MINGRADE, waypointStats.getMinGrade()); values.put(WaypointsColumns.MAXGRADE, waypointStats.getMaxGrade()); getContentResolver().update(WaypointsColumns.CONTENT_URI, values, "_id=" + currentWaypointId, null); } } private void addLocationToStats(Location location) { if (LocationUtils.isValidLocation(location)) { long now = System.currentTimeMillis(); statsBuilder.addLocation(location, now); waypointStatsBuilder.addLocation(location, now); } } /* * Application lifetime events: ============================ */ public long insertWaypoint(WaypointCreationRequest request) { if (!isRecording()) { throw new IllegalStateException( "Unable to insert waypoint marker while not recording!"); } if (request == null) { request = WaypointCreationRequest.DEFAULT_MARKER; } Waypoint wpt = new Waypoint(); switch (request.getType()) { case MARKER: buildMarker(wpt, request); break; case STATISTICS: buildStatisticsMarker(wpt); break; } wpt.setTrackId(recordingTrackId); wpt.setLength(length); if (lastLocation == null || statsBuilder == null || statsBuilder.getStatistics() == null) { // A null location is ok, and expected on track start. // Make it an impossible location. Location l = new Location(""); l.setLatitude(100); l.setLongitude(180); wpt.setLocation(l); } else { wpt.setLocation(lastLocation); wpt.setDuration(lastLocation.getTime() - statsBuilder.getStatistics().getStartTime()); } Uri uri = providerUtils.insertWaypoint(wpt); return Long.parseLong(uri.getLastPathSegment()); } private void buildMarker(Waypoint wpt, WaypointCreationRequest request) { wpt.setType(Waypoint.TYPE_WAYPOINT); if (request.getIconUrl() == null) { wpt.setIcon(getString(R.string.marker_waypoint_icon_url)); } else { wpt.setIcon(request.getIconUrl()); } if (request.getName() == null) { wpt.setName(getString(R.string.marker_type_waypoint)); } else { wpt.setName(request.getName()); } if (request.getDescription() != null) { wpt.setDescription(request.getDescription()); } } /** * Build a statistics marker. * A statistics marker holds the stats for the* last segment up to this marker. * * @param waypoint The waypoint which will be populated with stats data. */ private void buildStatisticsMarker(Waypoint waypoint) { DescriptionGenerator descriptionGenerator = new DescriptionGeneratorImpl(this); // Set stop and total time in the stats data final long time = System.currentTimeMillis(); waypointStatsBuilder.pauseAt(time); // Override the duration - it's not the duration from the last waypoint, but // the duration from the beginning of the whole track waypoint.setDuration(time - statsBuilder.getStatistics().getStartTime()); // Set the rest of the waypoint data waypoint.setType(Waypoint.TYPE_STATISTICS); waypoint.setName(getString(R.string.marker_type_statistics)); waypoint.setStatistics(waypointStatsBuilder.getStatistics()); waypoint.setDescription(descriptionGenerator.generateWaypointDescription(waypoint)); waypoint.setIcon(getString(R.string.marker_statistics_icon_url)); waypoint.setStartId(providerUtils.getLastLocationId(recordingTrackId)); // Create a new stats keeper for the next marker. waypointStatsBuilder = new TripStatisticsBuilder(time); } private void endCurrentTrack() { Log.d(TAG, "TrackRecordingService.endCurrentTrack"); if (!isTrackInProgress()) { return; } announcementExecutor.shutdown(); splitExecutor.shutdown(); isRecording = false; Track recordedTrack = providerUtils.getTrack(recordingTrackId); if (recordedTrack != null) { TripStatistics stats = recordedTrack.getStatistics(); stats.setStopTime(System.currentTimeMillis()); stats.setTotalTime(stats.getStopTime() - stats.getStartTime()); long lastRecordedLocationId = providerUtils.getLastLocationId(recordingTrackId); ContentValues values = new ContentValues(); if (lastRecordedLocationId >= 0 && recordedTrack.getStopId() >= 0) { values.put(TracksColumns.STOPID, lastRecordedLocationId); } values.put(TracksColumns.STOPTIME, stats.getStopTime()); values.put(TracksColumns.TOTALTIME, stats.getTotalTime()); getContentResolver().update(TracksColumns.CONTENT_URI, values, "_id=" + recordedTrack.getId(), null); } showNotification(); long recordedTrackId = recordingTrackId; prefManager.setRecordingTrack(recordingTrackId = -1); if (sensorManager != null) { SensorManagerFactory.getInstance().releaseSensorManager(sensorManager); sensorManager = null; } releaseWakeLock(); // Notify the world that we're no longer recording. sendTrackBroadcast( R.string.track_stopped_broadcast_action, recordedTrackId); stopSelf(); } private void sendTrackBroadcast(int actionResId, long trackId) { Intent broadcastIntent = new Intent() .setAction(getString(actionResId)) .putExtra(getString(R.string.track_id_broadcast_extra), trackId); sendBroadcast(broadcastIntent, getString(R.string.permission_notification_value)); SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (sharedPreferences.getBoolean(getString(R.string.allow_access_key), false)) { sendBroadcast(broadcastIntent, getString(R.string.broadcast_notifications_permission)); } } /* * Data/state access. */ private Track getRecordingTrack() { if (recordingTrackId < 0) { return null; } return providerUtils.getTrack(recordingTrackId); } public boolean isRecording() { return isRecording; } public TripStatistics getTripStatistics() { return statsBuilder.getStatistics(); } Location getLastLocation() { return lastLocation; } long getRecordingTrackId() { return recordingTrackId; } void setRecordingTrackId(long recordingTrackId) { this.recordingTrackId = recordingTrackId; } void setMaxRecordingDistance(int maxRecordingDistance) { this.maxRecordingDistance = maxRecordingDistance; } void setMinRecordingDistance(int minRecordingDistance) { this.minRecordingDistance = minRecordingDistance; if (statsBuilder != null && waypointStatsBuilder != null) { statsBuilder.setMinRecordingDistance(minRecordingDistance); waypointStatsBuilder.setMinRecordingDistance(minRecordingDistance); } } void setMinRequiredAccuracy(int minRequiredAccuracy) { this.minRequiredAccuracy = minRequiredAccuracy; } void setLocationListenerPolicy(LocationListenerPolicy locationListenerPolicy) { this.locationListenerPolicy = locationListenerPolicy; } void setAutoResumeTrackTimeout(int autoResumeTrackTimeout) { this.autoResumeTrackTimeout = autoResumeTrackTimeout; } void setAnnouncementFrequency(int announcementFrequency) { announcementExecutor.setTaskFrequency(announcementFrequency); } void setSplitFrequency(int frequency) { splitExecutor.setTaskFrequency(frequency); } void setMetricUnits(boolean metric) { announcementExecutor.setMetricUnits(metric); splitExecutor.setMetricUnits(metric); } /** * TODO: There is a bug in Android that leaks Binder instances. This bug is * especially visible if we have a non-static class, as there is no way to * nullify reference to the outer class (the service). * A workaround is to use a static class and explicitly clear service * and detach it from the underlying Binder. With this approach, we minimize * the leak to 24 bytes per each service instance. * * For more details, see the following bug: * http://code.google.com/p/android/issues/detail?id=6426. */ private static class ServiceBinder extends ITrackRecordingService.Stub { private TrackRecordingService service; private DeathRecipient deathRecipient; public ServiceBinder(TrackRecordingService service) { this.service = service; } // Logic for letting the actual service go up and down. @Override public boolean isBinderAlive() { // Pretend dead if the service went down. return service != null; } @Override public boolean pingBinder() { return isBinderAlive(); } @Override public void linkToDeath(DeathRecipient recipient, int flags) { deathRecipient = recipient; } @Override public boolean unlinkToDeath(DeathRecipient recipient, int flags) { if (!isBinderAlive()) { return false; } deathRecipient = null; return true; } /** * Clears the reference to the outer class to minimize the leak. */ private void detachFromService() { this.service = null; attachInterface(null, null); if (deathRecipient != null) { deathRecipient.binderDied(); } } /** * Checks if the service is available. If not, throws an * {@link IllegalStateException}. */ private void checkService() { if (service == null) { throw new IllegalStateException("The service has been already detached!"); } } /** * Returns true if the RPC caller is from the same application or if the * "Allow access" setting indicates that another app can invoke this service's * RPCs. */ private boolean canAccess() { // As a precondition for access, must check if the service is available. checkService(); if (Process.myPid() == Binder.getCallingPid()) { return true; } else { SharedPreferences sharedPreferences = service.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); return sharedPreferences.getBoolean(service.getString(R.string.allow_access_key), false); } } // Service method delegates. @Override public boolean isRecording() { if (!canAccess()) { return false; } return service.isRecording(); } @Override public long getRecordingTrackId() { if (!canAccess()) { return -1L; } return service.recordingTrackId; } @Override public long startNewTrack() { if (!canAccess()) { return -1L; } return service.startNewTrack(); } /** * Inserts a waypoint marker in the track being recorded. * * @param request Details of the waypoint to insert * @return the unique ID of the inserted marker */ public long insertWaypoint(WaypointCreationRequest request) { if (!canAccess()) { return -1L; } return service.insertWaypoint(request); } @Override public void endCurrentTrack() { if (!canAccess()) { return; } service.endCurrentTrack(); } @Override public void recordLocation(Location loc) { if (!canAccess()) { return; } service.locationListener.onLocationChanged(loc); } @Override public byte[] getSensorData() { if (!canAccess()) { return null; } if (service.sensorManager == null) { Log.d(TAG, "No sensor manager for data."); return null; } if (service.sensorManager.getSensorDataSet() == null) { Log.d(TAG, "Sensor data set is null."); return null; } return service.sensorManager.getSensorDataSet().toByteArray(); } @Override public int getSensorState() { if (!canAccess()) { return Sensor.SensorState.NONE.getNumber(); } if (service.sensorManager == null) { Log.d(TAG, "No sensor manager for data."); return Sensor.SensorState.NONE.getNumber(); } return service.sensorManager.getSensorState().getNumber(); } } }
Java
/* * Copyright 2009 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.ChartView.Mode; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Dialog; import android.content.Context; import android.os.Bundle; import android.view.View; import android.view.Window; import android.widget.Button; import android.widget.CheckBox; import android.widget.RadioButton; import android.widget.RadioGroup; /** * An activity that allows the user to set the chart settings. * * @author Sandor Dornbush */ public class ChartSettingsDialog extends Dialog { private RadioButton distance; private CheckBox[] series; private OnClickListener clickListener; public ChartSettingsDialog(Context context) { super(context); } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); requestWindowFeature(Window.FEATURE_NO_TITLE); setContentView(R.layout.chart_settings); Button cancel = (Button) findViewById(R.id.chart_settings_cancel); cancel.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { if (clickListener != null) { clickListener.onClick(ChartSettingsDialog.this, BUTTON_NEGATIVE); } dismiss(); } }); Button okButton = (Button) findViewById(R.id.chart_settings_ok); okButton.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { if (clickListener != null) { clickListener.onClick(ChartSettingsDialog.this, BUTTON_POSITIVE); } dismiss(); } }); distance = (RadioButton) findViewById(R.id.chart_settings_by_distance); series = new CheckBox[ChartView.NUM_SERIES]; series[ChartView.ELEVATION_SERIES] = (CheckBox) findViewById(R.id.chart_settings_elevation); series[ChartView.SPEED_SERIES] = (CheckBox) findViewById(R.id.chart_settings_speed); series[ChartView.POWER_SERIES] = (CheckBox) findViewById(R.id.chart_settings_power); series[ChartView.CADENCE_SERIES] = (CheckBox) findViewById(R.id.chart_settings_cadence); series[ChartView.HEART_RATE_SERIES] = (CheckBox) findViewById(R.id.chart_settings_heart_rate); } public void setMode(Mode mode) { RadioGroup rd = (RadioGroup) findViewById(R.id.chart_settings_x); rd.check(mode == Mode.BY_DISTANCE ? R.id.chart_settings_by_distance : R.id.chart_settings_by_time); } /** * Sets whether to display speed or pace. * * @param displaySpeed true to display speed */ public void setDisplaySpeed(boolean displaySpeed) { series[ChartView.SPEED_SERIES].setText(displaySpeed ? R.string.stat_speed : R.string.stat_pace); } public void setSeriesEnabled(int seriesIdx, boolean enabled) { series[seriesIdx].setChecked(enabled); } public Mode getMode() { if (distance == null) return Mode.BY_DISTANCE; return distance.isChecked() ? Mode.BY_DISTANCE : Mode.BY_TIME; } public boolean isSeriesEnabled(int seriesIdx) { if (series == null) return true; return series[seriesIdx].isChecked(); } public void setOnClickListener(OnClickListener clickListener) { this.clickListener = clickListener; } @VisibleForTesting CheckBox[] getSeries() { return series; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.SearchEngine; import com.google.android.apps.mytracks.content.SearchEngine.ScoredResult; import com.google.android.apps.mytracks.content.SearchEngine.SearchQuery; import com.google.android.apps.mytracks.content.SearchEngineProvider; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.content.WaypointsColumns; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.app.ListActivity; import android.app.SearchManager; import android.content.ContentUris; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.os.Bundle; import android.provider.SearchRecentSuggestions; import android.util.Log; import android.view.View; import android.widget.ListView; import android.widget.SimpleAdapter; import java.util.ArrayList; import java.util.Collection; import java.util.HashMap; import java.util.List; import java.util.Map; import java.util.SortedSet; /** * Activity to search for tracks or waypoints. * * @author Rodrigo Damazio */ public class SearchActivity extends ListActivity { private static final String ICON_FIELD = "icon"; private static final String NAME_FIELD = "name"; private static final String DESCRIPTION_FIELD = "description"; private static final String CATEGORY_FIELD = "category"; private static final String TIME_FIELD = "time"; private static final String STATS_FIELD = "stats"; private static final String TRACK_ID_FIELD = "trackId"; private static final String WAYPOINT_ID_FIELD = "waypointId"; private static final String EXTRA_CURRENT_TRACK_ID = "trackId"; private static final boolean LOG_SCORES = true; private MyTracksProviderUtils providerUtils; private SearchEngine engine; private LocationManager locationManager; private SharedPreferences preferences; private SearchRecentSuggestions suggestions; private boolean metricUnits; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); providerUtils = MyTracksProviderUtils.Factory.get(this); engine = new SearchEngine(providerUtils); suggestions = SearchEngineProvider.newHelper(this); locationManager = (LocationManager) getSystemService(LOCATION_SERVICE); preferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); setContentView(R.layout.search_list); handleIntent(getIntent()); } @Override protected void onResume() { super.onResume(); metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); } @Override protected void onNewIntent(Intent intent) { setIntent(intent); handleIntent(intent); } private void handleIntent(Intent intent) { if (!Intent.ACTION_SEARCH.equals(intent.getAction())) { Log.e(TAG, "Got bad search intent: " + intent); finish(); return; } String textQuery = intent.getStringExtra(SearchManager.QUERY); Location currentLocation = locationManager.getLastKnownLocation("gps"); long currentTrackId = intent.getLongExtra(EXTRA_CURRENT_TRACK_ID, -1); long currentTimestamp = System.currentTimeMillis(); final SearchQuery query = new SearchQuery(textQuery, currentLocation, currentTrackId, currentTimestamp); // Do the actual search in a separate thread. new Thread() { @Override public void run() { doSearch(query); } }.start(); } private void doSearch(SearchQuery query) { SortedSet<ScoredResult> scoredResults = engine.search(query); final List<? extends Map<String, ?>> displayResults = prepareResultsforDisplay(scoredResults); if (LOG_SCORES) { Log.i(TAG, "Search scores: " + displayResults); } // Then go back to the UI thread to display them. runOnUiThread(new Runnable() { @Override public void run() { showSearchResults(displayResults); } }); // Save the query as a suggestion for the future. suggestions.saveRecentQuery(query.textQuery, null); } private List<Map<String, Object>> prepareResultsforDisplay( Collection<ScoredResult> scoredResults) { ArrayList<Map<String, Object>> output = new ArrayList<Map<String, Object>>(scoredResults.size()); for (ScoredResult result : scoredResults) { Map<String, Object> resultMap = new HashMap<String, Object>(); if (result.track != null) { prepareTrackForDisplay(result.track, resultMap); } else { prepareWaypointForDisplay(result.waypoint, resultMap); } resultMap.put("score", result.score); output.add(resultMap); } return output; } private void prepareWaypointForDisplay(Waypoint waypoint, Map<String, Object> resultMap) { // Look up the owner track. // TODO: It may be more appropriate to do this as a join in the retrieval phase of the search. String trackName = null; long trackId = waypoint.getTrackId(); if (trackId > 0) { Track track = providerUtils.getTrack(trackId); if (track != null) { trackName = track.getName(); } } resultMap.put(ICON_FIELD, waypoint.getType() == Waypoint.TYPE_STATISTICS ? R.drawable.ylw_pushpin : R.drawable.blue_pushpin); resultMap.put(NAME_FIELD, waypoint.getName()); resultMap.put(DESCRIPTION_FIELD, waypoint.getDescription()); resultMap.put(CATEGORY_FIELD, waypoint.getCategory()); // In the same place as we show time for tracks, show the track name for waypoints. resultMap.put(TIME_FIELD, getString(R.string.track_list_track_name, trackName)); resultMap.put(STATS_FIELD, StringUtils.formatDateTime(this, waypoint.getLocation().getTime())); resultMap.put(TRACK_ID_FIELD, waypoint.getTrackId()); resultMap.put(WAYPOINT_ID_FIELD, waypoint.getId()); } private void prepareTrackForDisplay(Track track, Map<String, Object> resultMap) { TripStatistics stats = track.getStatistics(); resultMap.put(ICON_FIELD, R.drawable.track); resultMap.put(NAME_FIELD, track.getName()); resultMap.put(DESCRIPTION_FIELD, track.getDescription()); resultMap.put(CATEGORY_FIELD, track.getCategory()); resultMap.put(TIME_FIELD, StringUtils.formatDateTime(this, stats.getStartTime())); resultMap.put(STATS_FIELD, StringUtils.formatTimeDistance( this, stats.getTotalTime(), stats.getTotalDistance(), metricUnits)); resultMap.put(TRACK_ID_FIELD, track.getId()); } /** * Shows the given search results. * Must be run from the UI thread. * * @param data the results to show, properly ordered */ private void showSearchResults(List<? extends Map<String, ?>> data) { SimpleAdapter adapter = new SimpleAdapter(this, data, // TODO: Custom view for search results. R.layout.mytracks_list_item, new String[] { ICON_FIELD, NAME_FIELD, DESCRIPTION_FIELD, CATEGORY_FIELD, TIME_FIELD, STATS_FIELD, }, new int[] { R.id.track_list_item_icon, R.id.track_list_item_name, R.id.track_list_item_description, R.id.track_list_item_category, R.id.track_list_item_time, R.id.track_list_item_stats, }); setListAdapter(adapter); } @Override protected void onListItemClick(ListView l, View v, int position, long id) { @SuppressWarnings("unchecked") Map<String, Object> clickedData = (Map<String, Object>) getListAdapter().getItem(position); startActivity(createViewDataIntent(clickedData)); } private Intent createViewDataIntent(Map<String, Object> clickedData) { Intent intent = new Intent(Intent.ACTION_VIEW); if (clickedData.containsKey(WAYPOINT_ID_FIELD)) { long waypointId = (Long) clickedData.get(WAYPOINT_ID_FIELD); Uri uri = ContentUris.withAppendedId(WaypointsColumns.CONTENT_URI, waypointId); intent.setDataAndType(uri, WaypointsColumns.CONTENT_ITEMTYPE); } else { long trackId = (Long) clickedData.get(TRACK_ID_FIELD); Uri uri = ContentUris.withAppendedId(TracksColumns.CONTENT_URI, trackId); intent.setDataAndType(uri, TracksColumns.CONTENT_ITEMTYPE); } return intent; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import com.google.android.apps.mytracks.Constants; import com.google.android.maps.mytracks.R; import android.app.Instrumentation; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.test.ActivityInstrumentationTestCase2; import android.widget.Button; import android.widget.CheckBox; import android.widget.RadioButton; /** * Tests the {@link UploadServiceChooserActivity}. * * @author Youtao Liu */ public class UploadServiceChooserActivityTest extends ActivityInstrumentationTestCase2<UploadServiceChooserActivity> { private Instrumentation instrumentation; private UploadServiceChooserActivity uploadServiceChooserActivity; public UploadServiceChooserActivityTest() { super(UploadServiceChooserActivity.class); } @Override protected void setUp() throws Exception { super.setUp(); instrumentation = getInstrumentation(); } /** * Tests the logic to control display all send options. This test cover code * in method {@link UploadServiceChooserActivity#onCreateDialog()}, * {@link UploadServiceChooserActivity#updateStateBySendRequest()} and * {@link UploadServiceChooserActivity#updateStateBySelection()}. */ public void testOnCreateDialog_displayAll() { // Initials activity to display all send items. initialActivity(true, true, true); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getFusionTablesCheckBox().isShown()); assertTrue(getDocsCheckBox().isShown()); assertTrue(getCancelButton().isEnabled()); // Clicks to disable all send items. uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { if (getMapsCheckBox().isChecked()) { getMapsCheckBox().performClick(); } if (getFusionTablesCheckBox().isChecked()) { getFusionTablesCheckBox().performClick(); } if (getDocsCheckBox().isChecked()) { getDocsCheckBox().performClick(); } } }); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getFusionTablesCheckBox().isShown()); assertTrue(getDocsCheckBox().isShown()); assertTrue(getCancelButton().isEnabled()); assertFalse(getNewMapRadioButton().isShown()); assertFalse(getExistingMapRadioButton().isShown()); assertFalse(getSendButton().isEnabled()); } /** * Tests the logic to check the send to Google Maps option. This test cover * code in method {@link UploadServiceChooserActivity#onCreateDialog()}, * {@link UploadServiceChooserActivity#updateStateBySendRequest()} and * {@link UploadServiceChooserActivity#updateStateBySelection()}. */ public void testOnCreateDialog_displayOne() { // Initials activity to display all send items. initialActivity(true, false, false); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getCancelButton().isEnabled()); // Clicks to enable this items. uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { if (!getMapsCheckBox().isChecked()) { getMapsCheckBox().performClick(); } } }); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isShown()); assertTrue(getNewMapRadioButton().isShown()); assertTrue(getExistingMapRadioButton().isShown()); assertTrue(getSendButton().isEnabled()); assertTrue(getCancelButton().isEnabled()); } /** * Tests the logic to control display none. This test cover code in method * {@link UploadServiceChooserActivity#onCreateDialog()}, * {@link UploadServiceChooserActivity#updateStateBySendRequest()} and * {@link UploadServiceChooserActivity#updateStateBySelection()}. */ public void testOnCreateDialog_displayNone() { initialActivity(false, false, false); assertFalse(getMapsCheckBox().isShown()); assertFalse(getFusionTablesCheckBox().isShown()); assertFalse(getDocsCheckBox().isShown()); assertFalse(getSendButton().isEnabled()); assertTrue(getCancelButton().isEnabled()); } /** * Tests the logic to initial state of check box to unchecked. This test cover * code in method {@link UploadServiceChooserActivity#onCreateDialog()}, * {@link UploadServiceChooserActivity#initState()}. */ public void testOnCreateDialog_initStateUnchecked() { initialActivity(true, true, true); // Initial all values to false in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), false); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), false); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); assertFalse(getMapsCheckBox().isChecked()); assertFalse(getFusionTablesCheckBox().isChecked()); assertFalse(getDocsCheckBox().isChecked()); } /** * Tests the logic to initial state of check box to checked. This test cover * code in method {@link UploadServiceChooserActivity#onCreateDialog()}, * {@link UploadServiceChooserActivity#initState()}. */ public void testOnCreateDialog_initStateChecked() { initialActivity(true, true, true); // Initial all values to true in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.pick_existing_map_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), true); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); assertTrue(getMapsCheckBox().isChecked()); assertTrue(getFusionTablesCheckBox().isChecked()); assertTrue(getDocsCheckBox().isChecked()); assertTrue(getExistingMapRadioButton().isChecked()); assertFalse(getNewMapRadioButton().isChecked()); } /** * Tests the logic of saveState when click send button. This test cover code * in method {@link UploadServiceChooserActivity#saveState()}, * {@link UploadServiceChooserActivity#initState()} , * {@link UploadServiceChooserActivity#sendMaps()}, * {@link UploadServiceChooserActivity#sendFusionTables()}, and * {@link UploadServiceChooserActivity#sendDocs()}. */ public void testOnCreateDialog_saveState() { initialActivity(true, true, true); // Initial all values to true in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), true); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); uploadServiceChooserActivity.saveState(); // All values in SharedPreferences must be changed. assertTrue(prefs.getBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false)); assertTrue(prefs.getBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false)); assertTrue(prefs.getBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), false)); } /** * Tests the logic of startNextActivity when click send button. This test * cover code in method * {@link UploadServiceChooserActivity#startNextActivity()} , * {@link UploadServiceChooserActivity#initState()} , * {@link UploadServiceChooserActivity#sendMaps()}, * {@link UploadServiceChooserActivity#sendFusionTables()}, and * {@link UploadServiceChooserActivity#sendDocs()}. */ public void testOnCreateDialog_startNextActivity() { initialActivity(true, true, true); // Initial all values to true or false in SharedPreferences. SharedPreferences prefs = uploadServiceChooserActivity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_maps_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_docs_key), true); editor.putBoolean(uploadServiceChooserActivity.getString(R.string.send_to_fusion_tables_key), false); editor.commit(); uploadServiceChooserActivity.runOnUiThread(new Runnable() { public void run() { uploadServiceChooserActivity.initState(); } }); instrumentation.waitForIdleSync(); uploadServiceChooserActivity.startNextActivity(); // All values in SendRequest must be same as set above. assertTrue(uploadServiceChooserActivity.getSendRequest().isSendMaps()); assertTrue(uploadServiceChooserActivity.getSendRequest().isSendDocs()); assertFalse(uploadServiceChooserActivity.getSendRequest().isSendFusionTables()); } /** * Initials a activity to be tested. * * @param showMaps * @param showFusionTables * @param showDocs */ private void initialActivity(boolean showMaps, boolean showFusionTables, boolean showDocs) { Intent intent = new Intent(); intent.putExtra(SendRequest.SEND_REQUEST_KEY, new SendRequest(1L, showMaps, showFusionTables, showDocs)); setActivityIntent(intent); uploadServiceChooserActivity = this.getActivity(); } private Button getSendButton() { return (Button) uploadServiceChooserActivity.getDialog() .findViewById(R.id.send_google_send_now); } Button getCancelButton() { return (Button) uploadServiceChooserActivity.getDialog().findViewById(R.id.send_google_cancel); } private CheckBox getMapsCheckBox() { return (CheckBox) uploadServiceChooserActivity.getDialog().findViewById(R.id.send_google_maps); } private CheckBox getFusionTablesCheckBox() { return (CheckBox) uploadServiceChooserActivity.getDialog().findViewById( R.id.send_google_fusion_tables); } private CheckBox getDocsCheckBox() { return (CheckBox) uploadServiceChooserActivity.getDialog().findViewById(R.id.send_google_docs); } private RadioButton getNewMapRadioButton() { return (RadioButton) uploadServiceChooserActivity.getDialog().findViewById( R.id.send_google_new_map); } private RadioButton getExistingMapRadioButton() { return (RadioButton) uploadServiceChooserActivity.getDialog().findViewById( R.id.send_google_existing_map); } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.sendtogoogle; import android.accounts.Account; import android.os.Parcel; import android.os.Parcelable; import android.test.AndroidTestCase; /** * Tests the {@link SendRequest}. * * @author Youtao Liu */ public class SendRequestTest extends AndroidTestCase { private SendRequest sendRequest; final static private String ACCOUNTNAME = "testAccount1"; final static private String ACCOUNTYPE = "testType1"; final static private String MAPID = "mapId1"; @Override protected void setUp() throws Exception { super.setUp(); sendRequest = new SendRequest(1, true, true, true); } /** * Tests the method {@link SendRequest#getTrackId()}. The value should be set * to 1 when it is initialed in setup method. */ public void testGetTrackId() { assertEquals(1, sendRequest.getTrackId()); } /** * Tests the method {@link SendRequest#isShowMaps()}. The value should be set * to true when it is initialed in setup method. */ public void testIsShowMaps() { assertEquals(true, sendRequest.isShowMaps()); } /** * Tests the method {@link SendRequest#isShowFusionTables()}. The value should * be set to true when it is initialed in setup method. */ public void testIsShowFusionTables() { assertEquals(true, sendRequest.isShowFusionTables()); } /** * Tests the method {@link SendRequest#isShowDocs()}. The value should be set * to true when it is initialed in setup method. */ public void testIsShowDocs() { assertEquals(true, sendRequest.isShowDocs()); } public void testIsShowAll() { assertEquals(true, sendRequest.isShowAll()); sendRequest = new SendRequest(1, false, true, true); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, true, false, true); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, true, true, false); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, false, true, false); assertEquals(false, sendRequest.isShowAll()); sendRequest = new SendRequest(1, false, false, false); assertEquals(false, sendRequest.isShowAll()); } public void testIsSendMaps() { assertEquals(false, sendRequest.isSendMaps()); sendRequest.setSendMaps(true); assertEquals(true, sendRequest.isSendMaps()); } public void testIsSendFusionTables() { assertEquals(false, sendRequest.isSendFusionTables()); sendRequest.setSendFusionTables(true); assertEquals(true, sendRequest.isSendFusionTables()); } /** * Tests the method {@link SendRequest#isSendDocs()}. The value should be set * to false which is its default value when it is initialed in setup method. */ public void testIsSendDocs() { assertEquals(false, sendRequest.isSendDocs()); sendRequest.setSendDocs(true); assertEquals(true, sendRequest.isSendDocs()); } /** * Tests the method {@link SendRequest#isNewMap()}. The value should be set to * false which is its default value when it is initialed in setup method. */ public void testIsNewMap() { assertEquals(false, sendRequest.isNewMap()); sendRequest.setNewMap(true); assertEquals(true, sendRequest.isNewMap()); } /** * Tests the method {@link SendRequest#getAccount()}. The value should be set * to null which is its default value when it is initialed in setup method. */ public void testGetAccount() { assertEquals(null, sendRequest.getAccount()); Account account = new Account(ACCOUNTNAME, ACCOUNTYPE); sendRequest.setAccount(account); assertEquals(account, sendRequest.getAccount()); } /** * Tests the method {@link SendRequest#getMapId()}. The value should be set to * null which is its default value when it is initialed in setup method. */ public void testGetMapId() { assertEquals(null, sendRequest.getMapId()); sendRequest.setMapId("1"); assertEquals("1", "1"); } /** * Tests the method {@link SendRequest#isMapsSuccess()}. The value should be * set to false which is its default value when it is initialed in setup * method. */ public void testIsMapsSuccess() { assertEquals(false, sendRequest.isMapsSuccess()); sendRequest.setMapsSuccess(true); assertEquals(true, sendRequest.isMapsSuccess()); } /** * Tests the method {@link SendRequest#isFusionTablesSuccess()}. The value * should be set to false which is its default value when it is initialed in * setup method. */ public void testIsFusionTablesSuccess() { assertEquals(false, sendRequest.isFusionTablesSuccess()); sendRequest.setFusionTablesSuccess(true); assertEquals(true, sendRequest.isFusionTablesSuccess()); } /** * Tests the method {@link SendRequest#isDocsSuccess()}. The value should be * set to false which is its default value when it is initialed in setup * method. */ public void testIsDocsSuccess() { assertEquals(false, sendRequest.isDocsSuccess()); sendRequest.setDocsSuccess(true); assertEquals(true, sendRequest.isDocsSuccess()); } /** * Tests {@link SendRequest#SendRequest(Parcel in)} when all values are true. */ public void testCreateFromParcel_true() { Parcel sourceParcel = Parcel.obtain(); sourceParcel.setDataPosition(0); sourceParcel.writeLong(2); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); Account account = new Account(ACCOUNTNAME, ACCOUNTYPE); sourceParcel.writeParcelable(account, 0); sourceParcel.writeString(MAPID); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.writeByte((byte) 1); sourceParcel.setDataPosition(0); sendRequest = SendRequest.CREATOR.createFromParcel(sourceParcel); assertEquals(2, sendRequest.getTrackId()); assertEquals(true, sendRequest.isShowMaps()); assertEquals(true, sendRequest.isShowFusionTables()); assertEquals(true, sendRequest.isShowDocs()); assertEquals(true, sendRequest.isSendMaps()); assertEquals(true, sendRequest.isSendFusionTables()); assertEquals(true, sendRequest.isSendDocs()); assertEquals(true, sendRequest.isNewMap()); assertEquals(account, sendRequest.getAccount()); assertEquals(MAPID, sendRequest.getMapId()); assertEquals(true, sendRequest.isMapsSuccess()); assertEquals(true, sendRequest.isFusionTablesSuccess()); assertEquals(true, sendRequest.isDocsSuccess()); } /** * Tests {@link SendRequest#SendRequest(Parcel in)} when all values are false. */ public void testCreateFromParcel_false() { Parcel sourceParcel = Parcel.obtain(); sourceParcel.setDataPosition(0); sourceParcel.writeLong(4); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); Account account = new Account(ACCOUNTNAME, ACCOUNTYPE); sourceParcel.writeParcelable(account, 0); sourceParcel.writeString(MAPID); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.writeByte((byte) 0); sourceParcel.setDataPosition(0); sendRequest = SendRequest.CREATOR.createFromParcel(sourceParcel); assertEquals(4, sendRequest.getTrackId()); assertEquals(false, sendRequest.isShowMaps()); assertEquals(false, sendRequest.isShowFusionTables()); assertEquals(false, sendRequest.isShowDocs()); assertEquals(false, sendRequest.isSendMaps()); assertEquals(false, sendRequest.isSendFusionTables()); assertEquals(false, sendRequest.isSendDocs()); assertEquals(false, sendRequest.isNewMap()); assertEquals(account, sendRequest.getAccount()); assertEquals(MAPID, sendRequest.getMapId()); assertEquals(false, sendRequest.isMapsSuccess()); assertEquals(false, sendRequest.isFusionTablesSuccess()); assertEquals(false, sendRequest.isDocsSuccess()); } /** * Tests {@link SendRequest#writeToParcel(Parcel in)} when all input values * are true or affirmative. */ public void testWriteToParcel_allTrue() { sendRequest = new SendRequest(1, false, false, false); Parcel parcelWrite1st = Parcel.obtain(); parcelWrite1st.setDataPosition(0); sendRequest.writeToParcel(parcelWrite1st, 1); parcelWrite1st.setDataPosition(0); long trackId = parcelWrite1st.readLong(); boolean showMaps = parcelWrite1st.readByte() == 1; boolean showFusionTables = parcelWrite1st.readByte() == 1; boolean showDocs = parcelWrite1st.readByte() == 1; boolean sendMaps = parcelWrite1st.readByte() == 1; boolean sendFusionTables = parcelWrite1st.readByte() == 1; boolean sendDocs = parcelWrite1st.readByte() == 1; boolean newMap = parcelWrite1st.readByte() == 1; Parcelable account = parcelWrite1st.readParcelable(null); String mapId = parcelWrite1st.readString(); boolean mapsSuccess = parcelWrite1st.readByte() == 1; boolean fusionTablesSuccess = parcelWrite1st.readByte() == 1; boolean docsSuccess = parcelWrite1st.readByte() == 1; assertEquals(1, trackId); assertEquals(false, showMaps); assertEquals(false, showFusionTables); assertEquals(false, showDocs); assertEquals(false, sendMaps); assertEquals(false, sendFusionTables); assertEquals(false, sendDocs); assertEquals(false, newMap); assertEquals(null, account); assertEquals(null, mapId); assertEquals(false, mapsSuccess); assertEquals(false, fusionTablesSuccess); assertEquals(false, docsSuccess); } /** * Tests {@link SendRequest#writeToParcel(Parcel in)} when all input values * are false or negative. */ public void testWriteToParcel_allFalse() { sendRequest = new SendRequest(4, true, true, true); sendRequest.setSendMaps(true); sendRequest.setSendFusionTables(true); sendRequest.setSendDocs(true); sendRequest.setNewMap(true); Account accountNew = new Account(ACCOUNTNAME + "2", ACCOUNTYPE + "2"); sendRequest.setAccount(accountNew); sendRequest.setMapId(MAPID); sendRequest.setMapsSuccess(true); sendRequest.setFusionTablesSuccess(true); sendRequest.setDocsSuccess(true); Parcel parcelWrite2nd = Parcel.obtain(); parcelWrite2nd.setDataPosition(0); sendRequest.writeToParcel(parcelWrite2nd, 1); parcelWrite2nd.setDataPosition(0); long trackId = parcelWrite2nd.readLong(); boolean showMaps = parcelWrite2nd.readByte() == 1; boolean showFusionTables = parcelWrite2nd.readByte() == 1; boolean showDocs = parcelWrite2nd.readByte() == 1; boolean sendMaps = parcelWrite2nd.readByte() == 1; boolean sendFusionTables = parcelWrite2nd.readByte() == 1; boolean sendDocs = parcelWrite2nd.readByte() == 1; boolean newMap = parcelWrite2nd.readByte() == 1; Parcelable account = parcelWrite2nd.readParcelable(null); String mapId = parcelWrite2nd.readString(); boolean mapsSuccess = parcelWrite2nd.readByte() == 1; boolean fusionTablesSuccess = parcelWrite2nd.readByte() == 1; boolean docsSuccess = parcelWrite2nd.readByte() == 1; assertEquals(4, trackId); assertEquals(true, showMaps); assertEquals(true, showFusionTables); assertEquals(true, showDocs); assertEquals(true, sendMaps); assertEquals(true, sendFusionTables); assertEquals(true, sendDocs); assertEquals(true, newMap); assertEquals(accountNew, account); assertEquals(MAPID, mapId); assertEquals(true, mapsSuccess); assertEquals(true, fusionTablesSuccess); assertEquals(true, docsSuccess); } }
Java
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.test.AndroidTestCase; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.OutputStream; import java.io.StringReader; import java.util.ArrayList; import java.util.List; import javax.xml.parsers.DocumentBuilder; import javax.xml.parsers.DocumentBuilderFactory; import javax.xml.parsers.FactoryConfigurationError; import javax.xml.parsers.ParserConfigurationException; import org.w3c.dom.Document; import org.w3c.dom.Element; import org.w3c.dom.Node; import org.w3c.dom.NodeList; import org.w3c.dom.Text; import org.xml.sax.InputSource; import org.xml.sax.SAXException; /** * Base class for track format writer tests, which sets up a fake track and * gives auxiliary methods for verifying XML output. * * @author Rodrigo Damazio */ public abstract class TrackFormatWriterTest extends AndroidTestCase { // All the user-provided strings have "]]>" to ensure that proper escaping is // being done. protected static final String TRACK_NAME = "Home]]>"; protected static final String TRACK_CATEGORY = "Hiking"; protected static final String TRACK_DESCRIPTION = "The long ]]> journey home"; protected static final String WAYPOINT1_NAME = "point]]>1"; protected static final String WAYPOINT1_CATEGORY = "Statistics"; protected static final String WAYPOINT1_DESCRIPTION = "point 1]]>description"; protected static final String WAYPOINT2_NAME = "point]]>2"; protected static final String WAYPOINT2_CATEGORY = "Waypoint"; protected static final String WAYPOINT2_DESCRIPTION = "point 2]]>description"; private static final int BUFFER_SIZE = 10240; protected Track track; protected MyTracksLocation location1, location2, location3, location4; protected Waypoint wp1, wp2; @Override protected void setUp() throws Exception { super.setUp(); track = new Track(); track.setName(TRACK_NAME); track.setCategory(TRACK_CATEGORY); track.setDescription(TRACK_DESCRIPTION); location1 = new MyTracksLocation("mock"); location2 = new MyTracksLocation("mock"); location3 = new MyTracksLocation("mock"); location4 = new MyTracksLocation("mock"); populateLocations(location1, location2, location3, location4); wp1 = new Waypoint(); wp2 = new Waypoint(); wp1.setLocation(location2); wp1.setName(WAYPOINT1_NAME); wp1.setCategory(WAYPOINT1_CATEGORY); wp1.setDescription(WAYPOINT1_DESCRIPTION); wp2.setLocation(location3); wp2.setName(WAYPOINT2_NAME); wp2.setCategory(WAYPOINT2_CATEGORY); wp2.setDescription(WAYPOINT2_DESCRIPTION); } /** * Populates a list of locations with values. * * @param locations a list of locations */ private void populateLocations(MyTracksLocation... locations) { for (int i = 0; i < locations.length; i++) { MyTracksLocation location = locations[i]; location.setLatitude(i); location.setLongitude(-i); location.setAltitude(i * 10); location.setBearing(i * 100); location.setAccuracy(i * 1000); location.setSpeed(i * 10000); location.setTime(i * 100000); Sensor.SensorData.Builder power = Sensor.SensorData.newBuilder().setValue(100 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder cadence = Sensor.SensorData.newBuilder().setValue(200 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder heartRate = Sensor.SensorData.newBuilder().setValue(300 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorData.Builder batteryLevel = Sensor.SensorData.newBuilder().setValue(400 + i) .setState(Sensor.SensorState.SENDING); Sensor.SensorDataSet sensorDataSet = Sensor.SensorDataSet.newBuilder().setPower(power) .setCadence(cadence).setHeartRate(heartRate).setBatteryLevel(batteryLevel).build(); location.setSensorData(sensorDataSet); } } /** * Makes the right sequence of calls to the writer in order to write the fake * track in {@link #track}. * * @param writer the writer to write to * @return the written contents */ protected String writeTrack(TrackFormatWriter writer) throws Exception { OutputStream output = new ByteArrayOutputStream(BUFFER_SIZE); writer.prepare(track, output); writer.writeHeader(); writer.writeBeginWaypoints(); writer.writeWaypoint(wp1); writer.writeWaypoint(wp2); writer.writeEndWaypoints(); writer.writeBeginTrack(location1); writer.writeOpenSegment(); writer.writeLocation(location1); writer.writeLocation(location2); writer.writeCloseSegment(); writer.writeOpenSegment(); writer.writeLocation(location3); writer.writeLocation(location4); writer.writeCloseSegment(); writer.writeEndTrack(location4); writer.writeFooter(); writer.close(); return output.toString(); } /** * Gets the text data contained inside a tag. * * @param parent the parent of the tag containing the text * @param elementName the name of the tag containing the text * @return the text contents */ protected String getChildTextValue(Element parent, String elementName) { Element child = getChildElement(parent, elementName); assertTrue(child.hasChildNodes()); NodeList children = child.getChildNodes(); int length = children.getLength(); assertTrue(length > 0); // The children may be a sucession of text elements, just concatenate them String result = ""; for (int i = 0; i < length; i++) { Text textNode = (Text) children.item(i); result += textNode.getNodeValue(); } return result; } /** * Returns all child elements of a given parent which have the given name. * * @param parent the parent to get children from * @param elementName the element name to look for * @param expectedChildren the number of children we're expected to find * @return a list of the found elements */ protected List<Element> getChildElements(Node parent, String elementName, int expectedChildren) { assertTrue(parent.hasChildNodes()); NodeList children = parent.getChildNodes(); int length = children.getLength(); List<Element> result = new ArrayList<Element>(); for (int i = 0; i < length; i++) { Node childNode = children.item(i); if (childNode.getNodeType() == Node.ELEMENT_NODE && childNode.getNodeName().equalsIgnoreCase(elementName)) { result.add((Element) childNode); } } assertTrue(children.toString(), result.size() == expectedChildren); return result; } /** * Returns the single child element of the given parent with the given type. * * @param parent the parent to get a child from * @param elementName the name of the child to look for * @return the child element */ protected Element getChildElement(Node parent, String elementName) { return getChildElements(parent, elementName, 1).get(0); } /** * Parses the given XML contents and returns a DOM {@link Document} for it. */ protected Document parseXmlDocument(String contents) throws FactoryConfigurationError, ParserConfigurationException, SAXException, IOException { DocumentBuilderFactory builderFactory = DocumentBuilderFactory.newInstance(); builderFactory.setCoalescing(true); // TODO: Somehow do XML validation on Android // builderFactory.setValidating(true); builderFactory.setNamespaceAware(true); builderFactory.setIgnoringComments(true); builderFactory.setIgnoringElementContentWhitespace(true); DocumentBuilder documentBuilder = builderFactory.newDocumentBuilder(); Document doc = documentBuilder.parse( new InputSource(new StringReader(contents))); return doc; } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import android.app.ProgressDialog; import android.test.ActivityInstrumentationTestCase2; import java.util.concurrent.Semaphore; import java.util.concurrent.atomic.AtomicReference; /** * Tests {@link WriteProgressController}. * * @author Matthew Simmons */ public class WriteProgressControllerTest extends ActivityInstrumentationTestCase2<SaveActivity> { public WriteProgressControllerTest() { super(SaveActivity.class); } private static void assertProgress(ProgressDialog dialog, int expectedProgress, int expectedMax) { assertEquals(expectedProgress, dialog.getProgress()); assertEquals(expectedMax, dialog.getMax()); } public void testSimple() throws Exception { final AtomicReference<ProgressDialog> dialogRef = new AtomicReference<ProgressDialog>(); final AtomicReference<Boolean> controllerDoneRef = new AtomicReference<Boolean>(); final Semaphore writerDone = new Semaphore(0); TrackWriter mockWriter = new MockTrackWriter() { @Override public void writeTrackAsync() { onWriteListener.onWrite(1000, 10000); assertProgress(dialogRef.get(), 1000, 10000); onCompletionListener.onComplete(); writerDone.release(); } }; final WriteProgressController controller = new WriteProgressController( getActivity(), mockWriter, SaveActivity.PROGRESS_DIALOG); controller.setOnCompletionListener(new WriteProgressController.OnCompletionListener() { @Override public void onComplete() { controllerDoneRef.set(true); } }); /* * The WriteProgressController constructor calls the mockWriter's * setOnCompletionListener method with a listener that dismisses the * progress dialog. However, this unit test only tests the * WriteProgressController and doesn't actually show any progress dialog. * Thus after the WriteProgressController is setup, we need to call the * mockWriter's setOnCompletionListener method again with an listener that * doesn't dismiss dialog. */ mockWriter.setOnCompletionListener(new TrackWriter.OnCompletionListener() { @Override public void onComplete() { controller.getOnCompletionListener().onComplete(); } }); dialogRef.set(controller.createProgressDialog()); controller.startWrite(); // wait for the writer to finish writerDone.acquire(); assertTrue(controllerDoneRef.get()); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import static com.google.android.testing.mocking.AndroidMock.eq; import static com.google.android.testing.mocking.AndroidMock.expect; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.Factory; import com.google.android.apps.mytracks.io.file.GpxImporter; import com.google.android.apps.mytracks.testing.TestingProviderUtilsFactory; import com.google.android.testing.mocking.AndroidMock; import com.google.android.testing.mocking.UsesMocks; import android.content.ContentUris; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.test.AndroidTestCase; import java.io.ByteArrayInputStream; import java.io.IOException; import java.io.InputStream; import java.text.SimpleDateFormat; import java.util.Arrays; import java.util.SimpleTimeZone; import javax.xml.parsers.ParserConfigurationException; import org.easymock.Capture; import org.easymock.IArgumentMatcher; import org.xml.sax.SAXException; /** * Tests for the GPX importer. * * @author Steffen Horlacher */ public class GpxImporterTest extends AndroidTestCase { private static final String TRACK_NAME = "blablub"; private static final String TRACK_DESC = "s'Laebe isch koi Schlotzer"; private static final String TRACK_LAT_1 = "48.768364"; private static final String TRACK_LON_1 = "9.177886"; private static final String TRACK_ELE_1 = "324.0"; private static final String TRACK_TIME_1 = "2010-04-22T18:21:00Z"; private static final String TRACK_LAT_2 = "48.768374"; private static final String TRACK_LON_2 = "9.177816"; private static final String TRACK_ELE_2 = "333.0"; private static final String TRACK_TIME_2 = "2010-04-22T18:21:50.123"; private static final SimpleDateFormat DATE_FORMAT1 = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss.SSS"); private static final SimpleDateFormat DATE_FORMAT2 = new SimpleDateFormat("yyyy-MM-dd'T'hh:mm:ss'Z'"); static { // We can't omit the timezones in the test, otherwise it'll use the local // timezone and fail depending on where the test runner is. SimpleTimeZone utc = new SimpleTimeZone(0, "UTC"); DATE_FORMAT1.setTimeZone(utc); DATE_FORMAT2.setTimeZone(utc); } // TODO: use real files from different sources with more track points. private static final String VALID_TEST_GPX = "<gpx><trk><name><![CDATA[" + TRACK_NAME + "]]></name><desc><![CDATA[" + TRACK_DESC + "]]></desc><trkseg>" + "<trkpt lat=\"" + TRACK_LAT_1 + "\" lon=\"" + TRACK_LON_1 + "\"><ele>" + TRACK_ELE_1 + "</ele><time>" + TRACK_TIME_1 + "</time></trkpt> +" + "<trkpt lat=\"" + TRACK_LAT_2 + "\" lon=\"" + TRACK_LON_2 + "\"><ele>" + TRACK_ELE_2 + "</ele><time>" + TRACK_TIME_2 + "</time></trkpt>" + "</trkseg></trk></gpx>"; // invalid xml private static final String INVALID_XML_TEST_GPX = VALID_TEST_GPX.substring( 0, VALID_TEST_GPX.length() - 50); private static final String INVALID_LOCATION_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_LAT_1, "1000.0"); private static final String INVALID_TIME_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_TIME_1, "invalid"); private static final String INVALID_ALTITUDE_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_ELE_1, "invalid"); private static final String INVALID_LATITUDE_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_LAT_1, "invalid"); private static final String INVALID_LONGITUDE_TEST_GPX = VALID_TEST_GPX .replaceAll(TRACK_LON_1, "invalid"); private static final long TRACK_ID = 1; private static final long TRACK_POINT_ID_1 = 1; private static final long TRACK_POINT_ID_2 = 2; private static final Uri TRACK_ID_URI = ContentUris.appendId( TracksColumns.CONTENT_URI.buildUpon(), TRACK_ID).build(); private MyTracksProviderUtils providerUtils; private Factory oldProviderUtilsFactory; @UsesMocks(MyTracksProviderUtils.class) @Override protected void setUp() throws Exception { super.setUp(); providerUtils = AndroidMock.createMock(MyTracksProviderUtils.class); oldProviderUtilsFactory = TestingProviderUtilsFactory.installWithInstance(providerUtils); } @Override protected void tearDown() throws Exception { TestingProviderUtilsFactory.restoreOldFactory(oldProviderUtilsFactory); super.tearDown(); } /** * Test import success. */ public void testImportSuccess() throws Exception { Capture<Track> trackParam = new Capture<Track>(); Location loc1 = new Location(LocationManager.GPS_PROVIDER); loc1.setTime(DATE_FORMAT2.parse(TRACK_TIME_1).getTime()); loc1.setLatitude(Double.parseDouble(TRACK_LAT_1)); loc1.setLongitude(Double.parseDouble(TRACK_LON_1)); loc1.setAltitude(Double.parseDouble(TRACK_ELE_1)); Location loc2 = new Location(LocationManager.GPS_PROVIDER); loc2.setTime(DATE_FORMAT1.parse(TRACK_TIME_2).getTime()); loc2.setLatitude(Double.parseDouble(TRACK_LAT_2)); loc2.setLongitude(Double.parseDouble(TRACK_LON_2)); loc2.setAltitude(Double.parseDouble(TRACK_ELE_2)); expect(providerUtils.insertTrack(AndroidMock.capture(trackParam))) .andReturn(TRACK_ID_URI); expect(providerUtils.getLastLocationId(TRACK_ID)).andReturn(TRACK_POINT_ID_1).andReturn(TRACK_POINT_ID_2); // A flush happens after the first insertion to get the starting point ID, // which is why we get two calls expect(providerUtils.bulkInsertTrackPoints(LocationsMatcher.eqLoc(loc1), eq(1), eq(TRACK_ID))).andReturn(1); expect(providerUtils.bulkInsertTrackPoints(LocationsMatcher.eqLoc(loc2), eq(1), eq(TRACK_ID))).andReturn(1); providerUtils.updateTrack(AndroidMock.capture(trackParam)); AndroidMock.replay(providerUtils); InputStream is = new ByteArrayInputStream(VALID_TEST_GPX.getBytes()); GpxImporter.importGPXFile(is, providerUtils); AndroidMock.verify(providerUtils); // verify track parameter Track track = trackParam.getValue(); assertEquals(TRACK_NAME, track.getName()); assertEquals(TRACK_DESC, track.getDescription()); assertEquals(DATE_FORMAT2.parse(TRACK_TIME_1).getTime(), track.getStatistics() .getStartTime()); assertNotSame(-1, track.getStartId()); assertNotSame(-1, track.getStopId()); } /** * Test with invalid location - track should be deleted. */ public void testImportLocationFailure() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_LOCATION_TEST_GPX); } /** * Test with invalid time - track should be deleted. */ public void testImportTimeFailure() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_TIME_TEST_GPX); } /** * Test with invalid xml - track should be deleted. */ public void testImportXMLFailure() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_XML_TEST_GPX); } /** * Test with invalid altitude - track should be deleted. */ public void testImportInvalidAltitude() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_ALTITUDE_TEST_GPX); } /** * Test with invalid latitude - track should be deleted. */ public void testImportInvalidLatitude() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_LATITUDE_TEST_GPX); } /** * Test with invalid longitude - track should be deleted. */ public void testImportInvalidLongitude() throws ParserConfigurationException, IOException { testInvalidXML(INVALID_LONGITUDE_TEST_GPX); } private void testInvalidXML(String xml) throws ParserConfigurationException, IOException { expect(providerUtils.insertTrack((Track) AndroidMock.anyObject())) .andReturn(TRACK_ID_URI); expect(providerUtils.bulkInsertTrackPoints((Location[]) AndroidMock.anyObject(), AndroidMock.anyInt(), AndroidMock.anyLong())).andStubReturn(1); expect(providerUtils.getLastLocationId(TRACK_ID)).andStubReturn(TRACK_POINT_ID_1); providerUtils.deleteTrack(TRACK_ID); AndroidMock.replay(providerUtils); InputStream is = new ByteArrayInputStream(xml.getBytes()); try { GpxImporter.importGPXFile(is, providerUtils); } catch (SAXException e) { // expected exception } AndroidMock.verify(providerUtils); } /** * Workaround because of capture bug 2617107 in easymock: * http://sourceforge.net * /tracker/?func=detail&aid=2617107&group_id=82958&atid=567837 */ private static class LocationsMatcher implements IArgumentMatcher { private final Location[] matchLocs; private LocationsMatcher(Location[] expected) { this.matchLocs = expected; } public static Location[] eqLoc(Location[] expected) { IArgumentMatcher matcher = new LocationsMatcher(expected); AndroidMock.reportMatcher(matcher); return null; } public static Location[] eqLoc(Location expected) { return eqLoc(new Location[] { expected}); } @Override public void appendTo(StringBuffer buf) { buf.append("eqLoc(").append(Arrays.toString(matchLocs)).append(")"); } @Override public boolean matches(Object obj) { if (! (obj instanceof Location[])) { return false; } Location[] locs = (Location[]) obj; if (locs.length < matchLocs.length) { return false; } // Only check the first elements (those that will be taken into account) for (int i = 0; i < matchLocs.length; i++) { if (!locationsMatch(locs[i], matchLocs[i])) { return false; } } return true; } private boolean locationsMatch(Location loc1, Location loc2) { return (loc1.getTime() == loc2.getTime()) && (loc1.getLatitude() == loc2.getLatitude()) && (loc1.getLongitude() == loc2.getLongitude()) && (loc1.getAltitude() == loc2.getAltitude()); } } }
Java
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import java.io.File; /** * A simple, fake {@link TrackWriter} subclass with all methods mocked out. * Tests are expected to override {@link #writeTrack} and/or * {@link #writeTrackAsync}, at the very least. * * @author Matthew Simmons * */ public class MockTrackWriter implements TrackWriter { public OnCompletionListener onCompletionListener; public OnWriteListener onWriteListener; @Override public void setOnCompletionListener(OnCompletionListener onCompletionListener) { this.onCompletionListener = onCompletionListener; } @Override public void setOnWriteListener(OnWriteListener onWriteListener) { this.onWriteListener = onWriteListener; } @Override public void setDirectory(File directory) { throw new UnsupportedOperationException("not implemented"); } @Override public String getAbsolutePath() { throw new UnsupportedOperationException("not implemented"); } @Override public void writeTrackAsync() { throw new UnsupportedOperationException("not implemented"); } @Override public void writeTrack() { throw new UnsupportedOperationException("not implemented"); } @Override public void stopWriteTrack() { throw new UnsupportedOperationException("not implemented"); } @Override public boolean wasSuccess() { return false; } @Override public int getErrorMessage() { return 0; } }
Java
/* * Copyright 2012 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; /** * Tests for {@link CsvTrackWriter}. * * @author Rodrigo Damazio */ public class CsvTrackWriterTest extends TrackFormatWriterTest { private static final String BEGIN_TAG = "\""; private static final String END_TAG = "\"\n"; private static final String SEPARATOR = "\",\""; public void testCsvOutput() throws Exception { String expectedTrackHeader = getExpectedLine( "Track name", "Activity type", "Track description"); String expectedTrack = getExpectedLine(TRACK_NAME, TRACK_CATEGORY, TRACK_DESCRIPTION); String expectedMarkerHeader = getExpectedLine("Marker name", "Marker type", "Marker description", "Latitude (deg)", "Longitude (deg)", "Altitude (m)", "Bearing (deg)", "Accuracy (m)", "Speed (m/s)", "Time"); String expectedMarker1 = getExpectedLine(WAYPOINT1_NAME, WAYPOINT1_CATEGORY, WAYPOINT1_DESCRIPTION, "1.0", "-1.0", "10.0", "100.0", "1,000", "10,000", "1970-01-01T00:01:40Z"); String expectedMarker2 = getExpectedLine(WAYPOINT2_NAME, WAYPOINT2_CATEGORY, WAYPOINT2_DESCRIPTION, "2.0", "-2.0", "20.0", "200.0", "2,000", "20,000", "1970-01-01T00:03:20Z"); String expectedPointHeader = getExpectedLine("Segment", "Point", "Latitude (deg)", "Longitude (deg)", "Altitude (m)", "Bearing (deg)", "Accuracy (m)", "Speed (m/s)", "Time", "Power (W)", "Cadence (rpm)", "Heart rate (bpm)", "Battery level (%)"); String expectedPoint1 = getExpectedLine("1", "1", "0.0", "0.0", "0.0", "0.0", "0", "0", "1970-01-01T00:00:00Z", "100.0", "200.0", "300.0", "400.0"); String expectedPoint2 = getExpectedLine("1", "2", "1.0", "-1.0", "10.0", "100.0", "1,000", "10,000", "1970-01-01T00:01:40Z", "101.0", "201.0", "301.0", "401.0"); String expectedPoint3 = getExpectedLine("2", "1", "2.0", "-2.0", "20.0", "200.0", "2,000", "20,000", "1970-01-01T00:03:20Z", "102.0", "202.0", "302.0", "402.0"); String expectedPoint4 = getExpectedLine("2", "2", "3.0", "-3.0", "30.0", "300.0", "3,000", "30,000", "1970-01-01T00:05:00Z", "103.0", "203.0", "303.0", "403.0"); String expected = expectedTrackHeader + expectedTrack + "\n" + expectedMarkerHeader + expectedMarker1 + expectedMarker2 + "\n" + expectedPointHeader + expectedPoint1 + expectedPoint2 + expectedPoint3 + expectedPoint4; CsvTrackWriter writer = new CsvTrackWriter(getContext()); assertEquals(expected, writeTrack(writer)); } /** * Gets the expected CSV line from a list of expected values. * * @param values expected values */ private String getExpectedLine(String... values) { StringBuilder builder = new StringBuilder(); builder.append(BEGIN_TAG); boolean first = true; for (String value : values) { if (!first) { builder.append(SEPARATOR); } first = false; builder.append(value); } builder.append(END_TAG); return builder.toString(); } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.util.StringUtils; import java.util.List; import org.w3c.dom.Document; import org.w3c.dom.Element; /** * Tests for {@link TcxTrackWriter}. * * @author Sandor Dornbush */ public class TcxTrackWriterTest extends TrackFormatWriterTest { public void testXmlOutput() throws Exception { TrackFormatWriter writer = new TcxTrackWriter(getContext()); String result = writeTrack(writer); Document doc = parseXmlDocument(result); Element root = getChildElement(doc, "TrainingCenterDatabase"); Element activitiesTag = getChildElement(root, "Activities"); Element activityTag = getChildElement(activitiesTag, "Activity"); Element lapTag = getChildElement(activityTag, "Lap"); List<Element> segmentTags = getChildElements(lapTag, "Track", 2); Element segment1Tag = segmentTags.get(0); Element segment2Tag = segmentTags.get(1); List<Element> seg1PointTags = getChildElements(segment1Tag, "Trackpoint", 2); List<Element> seg2PointTags = getChildElements(segment2Tag, "Trackpoint", 2); assertTagsMatchPoints(seg1PointTags, location1, location2); assertTagsMatchPoints(seg2PointTags, location3, location4); } /** * Asserts that the given tags describe the given locations in the same order. * * @param tags list of tags * @param locations list of locations */ private void assertTagsMatchPoints(List<Element> tags, MyTracksLocation... locations) { assertEquals(locations.length, tags.size()); for (int i = 0; i < locations.length; i++) { assertTagMatchesLocation(tags.get(i), locations[i]); } } /** * Asserts that the given tag describes the given location. * * @param tag the tag * @param location the location */ private void assertTagMatchesLocation(Element tag, MyTracksLocation location) { assertEquals(StringUtils.formatDateTimeIso8601(location.getTime()), getChildTextValue(tag, "Time")); Element positionTag = getChildElement(tag, "Position"); assertEquals( Double.toString(location.getLatitude()), getChildTextValue(positionTag, "LatitudeDegrees")); assertEquals(Double.toString(location.getLongitude()), getChildTextValue(positionTag, "LongitudeDegrees")); assertEquals(Double.toString(location.getAltitude()), getChildTextValue(tag, "AltitudeMeters")); assertTrue(location.getSensorDataSet() != null); Sensor.SensorDataSet sds = location.getSensorDataSet(); List<Element> heartRate = getChildElements(tag, "HeartRateBpm", 1); assertEquals(Integer.toString(sds.getHeartRate().getValue()), getChildTextValue(heartRate.get(0), "Value")); List<Element> extensions = getChildElements(tag, "Extensions", 1); List<Element> tpx = getChildElements(extensions.get(0), "TPX", 1); assertEquals( Integer.toString(sds.getCadence().getValue()), getChildTextValue(tpx.get(0), "RunCadence")); assertEquals( Integer.toString(sds.getPower().getValue()), getChildTextValue(tpx.get(0), "Watts")); } }
Java
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.file; import static org.easymock.EasyMock.expect; import com.google.android.apps.mytracks.content.MyTracksProvider; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.Factory; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.services.TrackRecordingServiceTest.MockContext; import com.google.android.apps.mytracks.testing.TestingProviderUtilsFactory; import com.google.android.maps.mytracks.R; import android.content.Context; import android.location.Location; import android.test.AndroidTestCase; import android.test.RenamingDelegatingContext; import android.test.mock.MockContentResolver; import java.io.ByteArrayOutputStream; import java.io.File; import java.io.FileNotFoundException; import java.io.OutputStream; import org.easymock.EasyMock; import org.easymock.IAnswer; import org.easymock.IArgumentMatcher; import org.easymock.IMocksControl; /** * Tests for the track writer. * * @author Rodrigo Damazio */ public class TrackWriterTest extends AndroidTestCase { /** * {@link TrackWriterImpl} subclass which mocks out methods called from * {@link TrackWriterImpl#openFile}. */ private static final class OpenFileTrackWriter extends TrackWriterImpl { private final ByteArrayOutputStream stream; private final boolean canWrite; /** * Constructor. * * @param stream the stream to return from * {@link TrackWriterImpl#newOutputStream}, or null to throw a * {@link FileNotFoundException} * @param canWrite the value that {@link TrackWriterImpl#canWriteFile} will * return */ private OpenFileTrackWriter(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFormatWriter writer, ByteArrayOutputStream stream, boolean canWrite) { super(context, providerUtils, track, writer); this.stream = stream; this.canWrite = canWrite; // The directory is set in the canWriteFile. However, this class // overwrites canWriteFile, thus needs to set it. setDirectory(new File("/")); } @Override protected boolean canWriteFile() { return canWrite; } @Override protected OutputStream newOutputStream(String fileName) throws FileNotFoundException { assertEquals(FULL_TRACK_NAME, fileName); if (stream == null) { throw new FileNotFoundException(); } return stream; } } /** * {@link TrackWriterImpl} subclass which mocks out methods called from * {@link TrackWriterImpl#writeTrack}. */ private final class WriteTracksTrackWriter extends TrackWriterImpl { private final boolean openResult; /** * Constructor. * * @param openResult the return value for {@link TrackWriterImpl#openFile} */ private WriteTracksTrackWriter(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFormatWriter writer, boolean openResult) { super(context, providerUtils, track, writer); this.openResult = openResult; } @Override protected boolean openFile() { openFileCalls++; return openResult; } @Override void writeDocument() { writeDocumentCalls++; } @Override protected void runOnUiThread(Runnable runnable) { runnable.run(); } } private static final long TRACK_ID = 1234567L; private static final String EXTENSION = "ext"; private static final String TRACK_NAME = "Swimming across the pacific"; private static final String FULL_TRACK_NAME = "Swimming across the pacific.ext"; private Track track; private TrackFormatWriter formatWriter; private TrackWriterImpl writer; private IMocksControl mocksControl; private MyTracksProviderUtils providerUtils; private Factory oldProviderUtilsFactory; // State used in specific tests private int writeDocumentCalls; private int openFileCalls; @Override protected void setUp() throws Exception { super.setUp(); MockContentResolver mockContentResolver = new MockContentResolver(); RenamingDelegatingContext targetContext = new RenamingDelegatingContext( getContext(), getContext(), "test."); Context context = new MockContext(mockContentResolver, targetContext); MyTracksProvider provider = new MyTracksProvider(); provider.attachInfo(context, null); mockContentResolver.addProvider(MyTracksProviderUtils.AUTHORITY, provider); setContext(context); providerUtils = MyTracksProviderUtils.Factory.get(context); oldProviderUtilsFactory = TestingProviderUtilsFactory.installWithInstance(providerUtils); mocksControl = EasyMock.createStrictControl(); formatWriter = mocksControl.createMock(TrackFormatWriter.class); expect(formatWriter.getExtension()).andStubReturn(EXTENSION); track = new Track(); track.setName(TRACK_NAME); track.setId(TRACK_ID); } @Override protected void tearDown() throws Exception { TestingProviderUtilsFactory.restoreOldFactory(oldProviderUtilsFactory); super.tearDown(); } public void testWriteTrack() { writer = new WriteTracksTrackWriter(getContext(), providerUtils, track, formatWriter, true); // Expect the completion listener to be run TrackWriter.OnCompletionListener completionListener = mocksControl.createMock(TrackWriter.OnCompletionListener.class); completionListener.onComplete(); mocksControl.replay(); writer.setOnCompletionListener(completionListener); writer.writeTrack(); assertEquals(1, writeDocumentCalls); assertEquals(1, openFileCalls); mocksControl.verify(); } public void testWriteTrack_cancelled() throws Exception { final ByteArrayOutputStream stream = new ByteArrayOutputStream(); writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, stream, true); formatWriter.prepare(track, stream); final Location[] locs = { new Location("fake0"), new Location("fake1"), }; fillLocations(locs); assertEquals(locs.length, providerUtils.bulkInsertTrackPoints(locs, locs.length, TRACK_ID)); formatWriter.writeHeader(); formatWriter.writeBeginTrack(locEq(locs[0])); formatWriter.writeOpenSegment(); formatWriter.writeLocation(locEq(locs[0])); //EasyMock.expectLastCall().andThrow(new InterruptedException()); EasyMock.expectLastCall().andAnswer(new IAnswer<Object>() { @Override public Object answer() throws Throwable { throw new InterruptedException(); } }); mocksControl.replay(); writer.writeTrack(); mocksControl.verify(); assertFalse(writer.wasSuccess()); assertEquals(R.string.sd_card_canceled, writer.getErrorMessage()); } public void testWriteTrack_openFails() { writer = new WriteTracksTrackWriter(getContext(), providerUtils, track, formatWriter, false); // Expect the completion listener to be run TrackWriter.OnCompletionListener completionListener = mocksControl.createMock(TrackWriter.OnCompletionListener.class); completionListener.onComplete(); mocksControl.replay(); writer.setOnCompletionListener(completionListener); writer.writeTrack(); assertEquals(0, writeDocumentCalls); assertEquals(1, openFileCalls); mocksControl.verify(); } public void testOpenFile() { final ByteArrayOutputStream stream = new ByteArrayOutputStream(); writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, stream, true); formatWriter.prepare(track, stream); mocksControl.replay(); assertTrue(writer.openFile()); mocksControl.verify(); } public void testOpenFile_cantWrite() { final ByteArrayOutputStream stream = new ByteArrayOutputStream(); writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, stream, false); mocksControl.replay(); assertFalse(writer.openFile()); mocksControl.verify(); } public void testOpenFile_streamError() { writer = new OpenFileTrackWriter( getContext(), providerUtils, track, formatWriter, null, true); mocksControl.replay(); assertFalse(writer.openFile()); mocksControl.verify(); } public void testWriteDocument_emptyTrack() throws Exception { writer = new TrackWriterImpl(getContext(), providerUtils, track, formatWriter); // Set expected mock behavior formatWriter.writeHeader(); formatWriter.writeFooter(); formatWriter.close(); mocksControl.replay(); writer.writeDocument(); assertTrue(writer.wasSuccess()); mocksControl.verify(); } public void testWriteDocument() throws Exception { writer = new TrackWriterImpl(getContext(), providerUtils, track, formatWriter); final Location[] locs = { new Location("fake0"), new Location("fake1"), new Location("fake2"), new Location("fake3"), new Location("fake4"), new Location("fake5") }; Waypoint[] wps = { new Waypoint(), new Waypoint(), new Waypoint() }; // Fill locations with valid values fillLocations(locs); // Make location 3 invalid locs[2].setLatitude(100); assertEquals(locs.length, providerUtils.bulkInsertTrackPoints(locs, locs.length, TRACK_ID)); for (int i = 0; i < wps.length; ++i) { Waypoint wpt = wps[i]; wpt.setTrackId(TRACK_ID); assertNotNull(providerUtils.insertWaypoint(wpt)); wpt.setId(i + 1); } formatWriter.writeHeader(); // Expect reading/writing of the waypoints (except the first) formatWriter.writeWaypoint(wptEq(wps[1])); formatWriter.writeWaypoint(wptEq(wps[2])); // Begin the track formatWriter.writeBeginTrack(locEq(locs[0])); // Write locations 1-2 formatWriter.writeOpenSegment(); formatWriter.writeLocation(locEq(locs[0])); formatWriter.writeLocation(locEq(locs[1])); formatWriter.writeCloseSegment(); // Location 3 is not written - it's invalid // Write locations 4-6 formatWriter.writeOpenSegment(); formatWriter.writeLocation(locEq(locs[3])); formatWriter.writeLocation(locEq(locs[4])); formatWriter.writeLocation(locEq(locs[5])); formatWriter.writeCloseSegment(); // End the track formatWriter.writeEndTrack(locEq(locs[5])); formatWriter.writeFooter(); formatWriter.close(); mocksControl.replay(); writer.writeDocument(); assertTrue(writer.wasSuccess()); mocksControl.verify(); } private static Waypoint wptEq(final Waypoint wpt) { EasyMock.reportMatcher(new IArgumentMatcher() { @Override public boolean matches(Object wptObj2) { if (wptObj2 == null || wpt == null) return wpt == wptObj2; Waypoint wpt2 = (Waypoint) wptObj2; return wpt.getId() == wpt2.getId(); } @Override public void appendTo(StringBuffer buffer) { buffer.append("wptEq("); buffer.append(wpt); buffer.append(")"); } }); return null; } private static Location locEq(final Location loc) { EasyMock.reportMatcher(new IArgumentMatcher() { @Override public boolean matches(Object locObj2) { if (locObj2 == null || loc == null) return loc == locObj2; Location loc2 = (Location) locObj2; return loc.hasAccuracy() == loc2.hasAccuracy() && (!loc.hasAccuracy() || loc.getAccuracy() == loc2.getAccuracy()) && loc.hasAltitude() == loc2.hasAltitude() && (!loc.hasAltitude() || loc.getAltitude() == loc2.getAltitude()) && loc.hasBearing() == loc2.hasBearing() && (!loc.hasBearing() || loc.getBearing() == loc2.getBearing()) && loc.hasSpeed() == loc2.hasSpeed() && (!loc.hasSpeed() || loc.getSpeed() == loc2.getSpeed()) && loc.getLatitude() == loc2.getLatitude() && loc.getLongitude() == loc2.getLongitude() && loc.getTime() == loc2.getTime(); } @Override public void appendTo(StringBuffer buffer) { buffer.append("locEq("); buffer.append(loc); buffer.append(")"); } }); return null; } private void fillLocations(Location... locs) { assertTrue(locs.length < 90); for (int i = 0; i < locs.length; i++) { Location location = locs[i]; location.setLatitude(i + 1); location.setLongitude(i + 1); location.setTime(i + 1000); } } }
Java
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.io.file; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.location.Location; import java.util.List; import java.util.Vector; import org.w3c.dom.Document; import org.w3c.dom.Element; /** * Tests for {@link KmlTrackWriter}. * * @author Rodrigo Damazio */ public class KmlTrackWriterTest extends TrackFormatWriterTest { private static final String FULL_TRACK_DESCRIPTION = "full track description"; /** * A fake version of {@link DescriptionGenerator} which returns a fixed track * description, thus not depending on the context. */ private class FakeDescriptionGenerator implements DescriptionGenerator { @Override public String generateTrackDescription( Track aTrack, Vector<Double> distances, Vector<Double> elevations) { return FULL_TRACK_DESCRIPTION; } @Override public String generateWaypointDescription(Waypoint waypoint) { return null; } } public void testXmlOutput() throws Exception { KmlTrackWriter writer = new KmlTrackWriter(getContext(), new FakeDescriptionGenerator()); String result = writeTrack(writer); Document doc = parseXmlDocument(result); Element kmlTag = getChildElement(doc, "kml"); Element docTag = getChildElement(kmlTag, "Document"); assertEquals(TRACK_NAME, getChildTextValue(docTag, "name")); assertEquals(TRACK_DESCRIPTION, getChildTextValue(docTag, "description")); // There are 3 placemarks - start, track, and end List<Element> placemarkTags = getChildElements(docTag, "Placemark", 3); assertTagIsPlacemark( placemarkTags.get(0), TRACK_NAME + " (Start)", TRACK_DESCRIPTION, location1); assertTagIsPlacemark( placemarkTags.get(2), TRACK_NAME + " (End)", FULL_TRACK_DESCRIPTION, location4); List<Element> folderTag = getChildElements(docTag, "Folder", 1); List<Element> folderPlacemarkTags = getChildElements(folderTag.get(0), "Placemark", 2); assertTagIsPlacemark( folderPlacemarkTags.get(0), WAYPOINT1_NAME, WAYPOINT1_DESCRIPTION, location2); assertTagIsPlacemark( folderPlacemarkTags.get(1), WAYPOINT2_NAME, WAYPOINT2_DESCRIPTION, location3); Element trackPlacemarkTag = placemarkTags.get(1); assertEquals(TRACK_NAME, getChildTextValue(trackPlacemarkTag, "name")); assertEquals(TRACK_DESCRIPTION, getChildTextValue(trackPlacemarkTag, "description")); Element multiTrackTag = getChildElement(trackPlacemarkTag, "gx:MultiTrack"); List<Element> trackTags = getChildElements(multiTrackTag, "gx:Track", 2); assertTagHasPoints(trackTags.get(0), location1, location2); assertTagHasPoints(trackTags.get(1), location3, location4); } /** * Asserts that the given tag is a placemark with the given properties. * * @param tag the tag * @param name the expected placemark name * @param description the expected placemark description * @param location the expected placemark location */ private void assertTagIsPlacemark( Element tag, String name, String description, Location location) { assertEquals(name, getChildTextValue(tag, "name")); assertEquals(description, getChildTextValue(tag, "description")); Element pointTag = getChildElement(tag, "Point"); String expected = location.getLongitude() + "," + location.getLatitude() + "," + location.getAltitude(); String actual = getChildTextValue(pointTag, "coordinates"); assertEquals(expected, actual); } /** * Asserts that the given tag has a list of "gx:coord" subtags matching the * expected locations. * * @param tag the parent tag * @param locations list of expected locations */ private void assertTagHasPoints(Element tag, Location... locations) { List<Element> coordTags = getChildElements(tag, "gx:coord", locations.length); for (int i = 0; i < locations.length; i++) { Location location = locations[i]; String expected = location.getLongitude() + " " + location.getLatitude() + " " + location.getAltitude(); String actual = coordTags.get(i).getFirstChild().getTextContent(); assertEquals(expected, actual); } } }
Java