code
stringlengths
3
1.18M
language
stringclasses
1 value
/* * 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; import android.content.Context; import android.os.Bundle; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentActivity; import android.support.v4.app.FragmentTransaction; import android.view.View; import android.widget.TabHost; import android.widget.TabHost.TabContentFactory; import android.widget.TabHost.TabSpec; import java.util.HashMap; /** * This is a helper class that implements a generic mechanism for associating * fragments with the tabs in a tab host. It relies on a trick. Normally a tab * host has a simple API for supplying a View or Intent that each tab will show. * This is not sufficient for switching between fragments. So instead we make * the content part of the tab host 0dp high (it is not shown) and the * TabManager supplies its own dummy view to show as the tab content. It listens * to changes in tabs, and takes care of switch to the correct fragment shown in * a separate content area whenever the selected tab changes. * <p> * Copied from the Fragment Tabs example in the API 4+ Support Demos. * * @author Jimmy Shih */ public class TabManager implements TabHost.OnTabChangeListener { private final FragmentActivity fragmentActivity; private final TabHost tabHost; private final int containerId; private final HashMap<String, TabInfo> tabs = new HashMap<String, TabInfo>(); private TabInfo lastTabInfo; /** * An object to hold a tab's info. * * @author Jimmy Shih */ private static final class TabInfo { private final String tag; private final Class<?> clss; private final Bundle bundle; private Fragment fragment; public TabInfo(String tag, Class<?> clss, Bundle bundle) { this.tag = tag; this.clss = clss; this.bundle = bundle; } } /** * A dummy {@link TabContentFactory} that creates an empty view to satisfy the * {@link TabHost} API. * * @author Jimmy Shih */ private static class DummyTabContentFactory implements TabContentFactory { private final Context context; public DummyTabContentFactory(Context context) { this.context = context; } @Override public View createTabContent(String tag) { View view = new View(context); view.setMinimumWidth(0); view.setMinimumHeight(0); return view; } } public TabManager(FragmentActivity fragmentActivity, TabHost tabHost, int containerId) { this.fragmentActivity = fragmentActivity; this.tabHost = tabHost; this.containerId = containerId; tabHost.setOnTabChangedListener(this); } public void addTab(TabSpec tabSpec, Class<?> clss, Bundle bundle) { tabSpec.setContent(new DummyTabContentFactory(fragmentActivity)); String tag = tabSpec.getTag(); TabInfo tabInfo = new TabInfo(tag, clss, bundle); /* * Check to see if we already have a fragment for this tab, probably from a * previously saved state. If so, deactivate it, because our initial state * is that a tab isn't shown. */ tabInfo.fragment = fragmentActivity.getSupportFragmentManager().findFragmentByTag(tag); if (tabInfo.fragment != null && !tabInfo.fragment.isDetached()) { FragmentTransaction fragmentTransaction = fragmentActivity.getSupportFragmentManager() .beginTransaction(); fragmentTransaction.detach(tabInfo.fragment); fragmentTransaction.commit(); } tabs.put(tag, tabInfo); tabHost.addTab(tabSpec); } @Override public void onTabChanged(String tabId) { TabInfo newTabInfo = tabs.get(tabId); if (lastTabInfo != newTabInfo) { FragmentTransaction fragmentTransaction = fragmentActivity.getSupportFragmentManager() .beginTransaction(); if (lastTabInfo != null) { if (lastTabInfo.fragment != null) { fragmentTransaction.detach(lastTabInfo.fragment); } } if (newTabInfo != null) { if (newTabInfo.fragment == null) { newTabInfo.fragment = Fragment.instantiate( fragmentActivity, newTabInfo.clss.getName(), newTabInfo.bundle); fragmentTransaction.add(containerId, newTabInfo.fragment, newTabInfo.tag); } else { fragmentTransaction.attach(newTabInfo.fragment); } } lastTabInfo = newTabInfo; fragmentTransaction.commit(); fragmentActivity.getSupportFragmentManager().executePendingTransactions(); } } }
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.TrackDetailActivity; 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.PreferencesUtils; 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, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK); if (track != null) { intent.putExtra(TrackDetailActivity.EXTRA_TRACK_ID, track.getId()); } 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); } if (key == null || key.equals(PreferencesUtils.getSelectedTrackIdKey(context))) { selectedTrackId = PreferencesUtils.getSelectedTrackId(context); Log.d(TAG, "TrackWidgetProvider setting selecting track from preference: " + selectedTrackId); } } }
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"; /* * Main screen tab tags: */ public static final String MAP_TAB_TAG = "map"; public static final String STATS_TAB_TAG = "stats"; public static final String CHART_TAB_TAG = "chart"; /** * 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 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 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.TracksColumns; import com.google.android.apps.mytracks.fragments.DeleteAllTrackDialogFragment; import com.google.android.apps.mytracks.fragments.DeleteOneTrackDialogFragment; import com.google.android.apps.mytracks.fragments.EulaDialogFragment; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.EulaUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.TrackRecordingServiceConnectionUtils; 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.database.Cursor; import android.os.Bundle; import android.os.Parcelable; import android.speech.tts.TextToSpeech; import android.support.v4.app.Fragment; import android.support.v4.app.FragmentActivity; import android.support.v4.app.LoaderManager.LoaderCallbacks; import android.support.v4.content.CursorLoader; import android.support.v4.content.Loader; import android.support.v4.widget.ResourceCursorAdapter; import android.util.Log; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.KeyEvent; import android.view.Menu; import android.view.MenuItem; import android.view.View; import android.widget.AdapterView; import android.widget.AdapterView.AdapterContextMenuInfo; import android.widget.AdapterView.OnItemClickListener; import android.widget.ImageButton; import android.widget.ListView; import android.widget.TextView; import android.widget.Toast; /** * An activity displaying a list of tracks. * * @author Leif Hendrik Wilden */ public class TrackListActivity extends FragmentActivity { private static final String TAG = TrackListActivity.class.getSimpleName(); private static final String[] PROJECTION = new String[] { TracksColumns._ID, TracksColumns.NAME, TracksColumns.CATEGORY, TracksColumns.TOTALTIME, TracksColumns.TOTALDISTANCE, TracksColumns.STARTTIME, TracksColumns.DESCRIPTION }; // Callback when the trackRecordingServiceConnection binding changes. private final Runnable bindChangedCallback = new Runnable() { @Override public void run() { if (!startNewRecording) { return; } ITrackRecordingService service = trackRecordingServiceConnection.getServiceIfBound(); if (service == null) { Log.d(TAG, "service not available to start a new recording"); return; } try { recordingTrackId = service.startNewTrack(); startNewRecording = false; startTrackDetailActivity(recordingTrackId); Toast.makeText( TrackListActivity.this, R.string.track_list_record_success, Toast.LENGTH_SHORT).show(); Log.d(TAG, "Started a new recording"); } catch (Exception e) { Toast.makeText(TrackListActivity.this, R.string.track_list_record_error, Toast.LENGTH_LONG) .show(); Log.e(TAG, "Unable to start a new recording.", e); } } }; /* * Note that sharedPreferenceChangeListenr cannot be an anonymous inner class. * Anonymous inner class will get garbage collected. */ private final OnSharedPreferenceChangeListener sharedPreferenceChangeListener = new OnSharedPreferenceChangeListener() { @Override public void onSharedPreferenceChanged(SharedPreferences preferences, String key) { // Note that key can be null if (getString(R.string.metric_units_key).equals(key)) { metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); } if (PreferencesUtils.getRecordingTrackIdKey(TrackListActivity.this).equals(key)) { recordingTrackId = PreferencesUtils.getRecordingTrackId(TrackListActivity.this); if (TrackRecordingServiceConnectionUtils.isRecording( TrackListActivity.this, trackRecordingServiceConnection)) { trackRecordingServiceConnection.startAndBind(); } updateMenu(); } resourceCursorAdapter.notifyDataSetChanged(); } }; // Callback when an item is selected in the contextual action mode private ContextualActionModeCallback contextualActionModeCallback = new ContextualActionModeCallback() { @Override public boolean onClick(int itemId, long id) { return handleContextItem(itemId, id); } }; private TrackRecordingServiceConnection trackRecordingServiceConnection; private boolean metricUnits; private long recordingTrackId; private ListView listView; private ResourceCursorAdapter resourceCursorAdapter; // True to start a new recording. private boolean startNewRecording = false; private MenuItem recordTrackMenuItem; private MenuItem stopRecordingMenuItem; private MenuItem searchMenuItem; private MenuItem importAllMenuItem; private MenuItem exportAllMenuItem; private MenuItem deleteAllMenuItem; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setVolumeControlStream(TextToSpeech.Engine.DEFAULT_STREAM); setDefaultKeyMode(DEFAULT_KEYS_SEARCH_LOCAL); setContentView(R.layout.track_list); trackRecordingServiceConnection = new TrackRecordingServiceConnection( this, bindChangedCallback); SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); sharedPreferences.registerOnSharedPreferenceChangeListener(sharedPreferenceChangeListener); metricUnits = sharedPreferences.getBoolean(getString(R.string.metric_units_key), true); recordingTrackId = PreferencesUtils.getRecordingTrackId(this); ImageButton recordImageButton = (ImageButton) findViewById(R.id.track_list_record_button); recordImageButton.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { updateMenuItems(true); startRecording(); } }); listView = (ListView) findViewById(R.id.track_list); listView.setEmptyView(findViewById(R.id.track_list_empty)); listView.setOnItemClickListener(new OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View view, int position, long id) { startTrackDetailActivity(id); } }); resourceCursorAdapter = new ResourceCursorAdapter(this, R.layout.track_list_item, null, 0) { @Override public void bindView(View view, Context context, Cursor cursor) { int idIndex = cursor.getColumnIndex(TracksColumns._ID); int nameIndex = cursor.getColumnIndex(TracksColumns.NAME); int categoryIndex = cursor.getColumnIndex(TracksColumns.CATEGORY); int timeIndex = cursor.getColumnIndexOrThrow(TracksColumns.TOTALTIME); int distanceIndex = cursor.getColumnIndexOrThrow(TracksColumns.TOTALDISTANCE); int startIndex = cursor.getColumnIndexOrThrow(TracksColumns.STARTTIME); int descriptionIndex = cursor.getColumnIndex(TracksColumns.DESCRIPTION); boolean isRecording = cursor.getLong(idIndex) == recordingTrackId; TextView name = (TextView) view.findViewById(R.id.track_list_item_name); name.setText(cursor.getString(nameIndex)); name.setCompoundDrawablesWithIntrinsicBounds( isRecording ? R.drawable.menu_record_track : R.drawable.track, 0, 0, 0); TextView category = (TextView) view.findViewById(R.id.track_list_item_category); category.setText(cursor.getString(categoryIndex)); TextView time = (TextView) view.findViewById(R.id.track_list_item_time); time.setText(StringUtils.formatElapsedTime(cursor.getLong(timeIndex))); time.setVisibility(isRecording ? View.GONE : View.VISIBLE); TextView distance = (TextView) view.findViewById(R.id.track_list_item_distance); distance.setText(StringUtils.formatDistance( TrackListActivity.this, cursor.getDouble(distanceIndex), metricUnits)); distance.setVisibility(isRecording ? View.GONE : View.VISIBLE); TextView start = (TextView) view.findViewById(R.id.track_list_item_start); start.setText( StringUtils.formatDateTime(TrackListActivity.this, cursor.getLong(startIndex))); start.setVisibility(start.getText().equals(name.getText()) ? View.GONE : View.VISIBLE); TextView description = (TextView) view.findViewById(R.id.track_list_item_description); description.setText(cursor.getString(descriptionIndex)); description.setVisibility(description.getText().length() == 0 ? View.GONE : View.VISIBLE); } }; listView.setAdapter(resourceCursorAdapter); ApiAdapterFactory.getApiAdapter().configureListViewContextualMenu( this, listView, R.menu.track_list_context_menu, R.id.track_list_item_name, contextualActionModeCallback); getSupportLoaderManager().initLoader(0, null, new LoaderCallbacks<Cursor>() { @Override public Loader<Cursor> onCreateLoader(int arg0, Bundle arg1) { return new CursorLoader(TrackListActivity.this, TracksColumns.CONTENT_URI, PROJECTION, null, null, TracksColumns._ID + " DESC"); } @Override public void onLoadFinished(Loader<Cursor> loader, Cursor cursor) { resourceCursorAdapter.swapCursor(cursor); } @Override public void onLoaderReset(Loader<Cursor> loader) { resourceCursorAdapter.swapCursor(null); } }); if (!EulaUtils.getEulaValue(this)) { Fragment fragment = getSupportFragmentManager() .findFragmentByTag(EulaDialogFragment.EULA_DIALOG_TAG); if (fragment == null) { EulaDialogFragment.newInstance(false).show( getSupportFragmentManager(), EulaDialogFragment.EULA_DIALOG_TAG); } } } @Override protected void onResume() { super.onResume(); TrackRecordingServiceConnectionUtils.resume(this, trackRecordingServiceConnection); } @Override protected void onDestroy() { super.onDestroy(); trackRecordingServiceConnection.unbind(); } @Override public boolean onCreateOptionsMenu(Menu menu) { getMenuInflater().inflate(R.menu.track_list, menu); String fileTypes[] = getResources().getStringArray(R.array.file_types); menu.findItem(R.id.track_list_export_gpx) .setTitle(getString(R.string.menu_export_all_format, fileTypes[0])); menu.findItem(R.id.track_list_export_kml) .setTitle(getString(R.string.menu_export_all_format, fileTypes[1])); menu.findItem(R.id.track_list_export_csv) .setTitle(getString(R.string.menu_export_all_format, fileTypes[2])); menu.findItem(R.id.track_list_export_tcx) .setTitle(getString(R.string.menu_export_all_format, fileTypes[3])); recordTrackMenuItem = menu.findItem(R.id.track_list_record_track); stopRecordingMenuItem = menu.findItem(R.id.track_list_stop_recording); searchMenuItem = menu.findItem(R.id.track_list_search); importAllMenuItem = menu.findItem(R.id.track_list_import_all); exportAllMenuItem = menu.findItem(R.id.track_list_export_all); deleteAllMenuItem = menu.findItem(R.id.track_list_delete_all); ApiAdapterFactory.getApiAdapter().configureSearchWidget(this, searchMenuItem); updateMenu(); return true; } /** * Updates the menu based on whether My Tracks is recording or not. */ private void updateMenu() { updateMenuItems( TrackRecordingServiceConnectionUtils.isRecording(this, trackRecordingServiceConnection)); } /** * Updates the menu items. * * @param isRecording true if recording */ private void updateMenuItems(boolean isRecording) { if (recordTrackMenuItem != null) { recordTrackMenuItem.setVisible(!isRecording); } if (stopRecordingMenuItem != null) { stopRecordingMenuItem.setVisible(isRecording); } if (importAllMenuItem != null) { importAllMenuItem.setVisible(!isRecording); } if (exportAllMenuItem != null) { exportAllMenuItem.setVisible(!isRecording); } if (deleteAllMenuItem != null) { deleteAllMenuItem.setVisible(!isRecording); } } @Override public boolean onOptionsItemSelected(MenuItem item) { switch (item.getItemId()) { case R.id.track_list_record_track: updateMenuItems(true); startRecording(); return true; case R.id.track_list_stop_recording: updateMenuItems(false); TrackRecordingServiceConnectionUtils.stop(this, trackRecordingServiceConnection); return true; case R.id.track_list_search: return ApiAdapterFactory.getApiAdapter().handleSearchMenuSelection(this); case R.id.track_list_import_all: startActivity( new Intent(this, ImportActivity.class).putExtra(ImportActivity.EXTRA_IMPORT_ALL, true)); return true; case R.id.track_list_export_gpx: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.GPX)); return true; case R.id.track_list_export_kml: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.KML)); return true; case R.id.track_list_export_csv: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.CSV)); return true; case R.id.track_list_export_tcx: startActivity(new Intent(this, ExportActivity.class).putExtra( ExportActivity.EXTRA_TRACK_FILE_FORMAT, (Parcelable) TrackFileFormat.TCX)); return true; case R.id.track_list_delete_all: new DeleteAllTrackDialogFragment().show( getSupportFragmentManager(), DeleteAllTrackDialogFragment.DELETE_ALL_TRACK_DIALOG_TAG); return true; case R.id.track_list_aggregated_statistics: startActivity(new Intent(this, AggregatedStatsActivity.class)); return true; case R.id.track_list_settings: startActivity(new Intent(this, SettingsActivity.class)); return true; case R.id.track_list_help: startActivity(new Intent(this, HelpActivity.class)); return true; default: return super.onOptionsItemSelected(item); } } @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { super.onCreateContextMenu(menu, v, menuInfo); getMenuInflater().inflate(R.menu.track_list_context_menu, menu); } @Override public boolean onContextItemSelected(MenuItem item) { if (handleContextItem(item.getItemId(), ((AdapterContextMenuInfo) item.getMenuInfo()).id)) { return true; } return super.onContextItemSelected(item); } /** * Handles a context item selection. * * @param itemId the menu item id * @param trackId the track id * @return true if handled. */ private boolean handleContextItem(int itemId, long trackId) { switch (itemId) { case R.id.track_list_context_menu_edit: startActivity(new Intent(this, TrackEditActivity.class).putExtra( TrackEditActivity.EXTRA_TRACK_ID, trackId)); return true; case R.id.track_list_context_menu_delete: DeleteOneTrackDialogFragment.newInstance(trackId).show( getSupportFragmentManager(), DeleteOneTrackDialogFragment.DELETE_ONE_TRACK_DIALOG_TAG); return true; default: return false; } } /** * Starts {@link TrackDetailActivity}. * * @param trackId the track id. */ private void startTrackDetailActivity(long trackId) { Intent intent = new Intent(TrackListActivity.this, TrackDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(TrackDetailActivity.EXTRA_TRACK_ID, trackId); startActivity(intent); } /** * Starts a new recording. */ private void startRecording() { startNewRecording = true; trackRecordingServiceConnection.startAndBind(); /* * If the binding has happened, then invoke the callback to start a new * recording. If the binding hasn't happened, then invoking the callback * will have no effect. But when the binding occurs, the callback will get * invoked. */ bindChangedCallback.run(); } @Override public boolean onKeyUp(int keyCode, KeyEvent event) { if (keyCode == KeyEvent.KEYCODE_SEARCH) { if (ApiAdapterFactory.getApiAdapter().handleSearchKey(searchMenuItem)) { return true; } } return super.onKeyUp(keyCode, event); } }
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.BackupActivity; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.io.backup.RestoreChooserActivity; 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.PreferencesUtils; 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.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_ID = 0; private static final int DIALOG_CONFIRM_ACCESS_ID = 1; private static final int DIALOG_CONFIRM_RESTORE_ID = 2; // 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_ID); 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_ID); return false; } else { return true; } } }); } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_CONFIRM_RESET_ID: return DialogUtils.createConfirmationDialog( this, R.string.settings_reset_confirm_message, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int button) { onResetPreferencesConfirmed(); } }); case DIALOG_CONFIRM_ACCESS_ID: return DialogUtils.createConfirmationDialog(this, R.string.settings_sharing_allow_access_confirm_message, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int button) { CheckBoxPreference pref = (CheckBoxPreference) findPreference( getString(R.string.allow_access_key)); pref.setChecked(true); } }); case DIALOG_CONFIRM_RESTORE_ID: return DialogUtils.createConfirmationDialog(this, R.string.settings_backup_restore_confirm_message, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { startActivity(new Intent(SettingsActivity.this, RestoreChooserActivity.class)); } }); 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 = PreferencesUtils.getRecordingTrackId(this) != -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) { startActivity(new Intent(SettingsActivity.this, BackupActivity.class)); return true; } }); restoreNowPreference.setOnPreferenceClickListener( new OnPreferenceClickListener() { @Override public boolean onPreferenceClick(Preference preference) { showDialog(DIALOG_CONFIRM_RESTORE_ID); 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 | Intent.FLAG_ACTIVITY_NEW_TASK); 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 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; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.io.file.TrackWriter; import com.google.android.apps.mytracks.io.file.TrackWriterFactory; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.database.Cursor; import android.os.AsyncTask; import android.os.PowerManager.WakeLock; /** * AsyncTask to export all the tracks to the SD card. * * @author Jimmy Shih */ public class ExportAsyncTask extends AsyncTask<Void, Integer, Boolean> { private ExportActivity exportActivity; private final TrackFileFormat trackFileFormat; private final Context context; private final MyTracksProviderUtils myTracksProviderUtils; private WakeLock wakeLock; private TrackWriter trackWriter; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; // message id to return to the activity private int messageId; /** * Creates an AsyncTask. * * @param exportActivity the activity currently associated with this AsyncTask * @param trackFileFormat the track file format */ public ExportAsyncTask(ExportActivity exportActivity, TrackFileFormat trackFileFormat) { this.exportActivity = exportActivity; this.trackFileFormat = trackFileFormat; context = exportActivity.getApplicationContext(); myTracksProviderUtils = MyTracksProviderUtils.Factory.get(exportActivity); // Get the wake lock if not recording if (PreferencesUtils.getRecordingTrackId(exportActivity) == -1L) { wakeLock = SystemUtils.acquireWakeLock(exportActivity, wakeLock); } success = false; completed = false; messageId = R.string.export_error; } /** * Sets the current {@link ExportActivity} associated with this AyncTask. * * @param exportActivity the current {@link ExportActivity}, can be null */ public void setActivity(ExportActivity exportActivity) { this.exportActivity = exportActivity; if (completed && exportActivity != null) { exportActivity.onAsyncTaskCompleted(success, messageId); } } @Override protected void onPreExecute() { if (exportActivity != null) { exportActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { Cursor cursor = null; try { cursor = myTracksProviderUtils.getTracksCursor(null, null, TracksColumns._ID); if (cursor == null) { messageId = R.string.export_success; return true; } int count = cursor.getCount(); int idIndex = cursor.getColumnIndexOrThrow(TracksColumns._ID); for (int i = 0; i < count; i++) { if (isCancelled()) { return false; } cursor.moveToPosition(i); long id = cursor.getLong(idIndex); trackWriter = TrackWriterFactory.newWriter( context, myTracksProviderUtils, id, trackFileFormat); if (trackWriter == null) { return false; } trackWriter.writeTrack(); if (!trackWriter.wasSuccess()) { messageId = trackWriter.getErrorMessage(); return false; } publishProgress(i + 1, count); } messageId = R.string.export_success; return true; } finally { if (cursor != null) { cursor.close(); } // Release the wake lock if obtained if (wakeLock != null && wakeLock.isHeld()) { wakeLock.release(); } } } @Override protected void onProgressUpdate(Integer... values) { if (exportActivity != null) { exportActivity.setProgressDialogValue(values[0], values[1]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (exportActivity != null) { exportActivity.onAsyncTaskCompleted(success, messageId); } } @Override protected void onCancelled() { if (trackWriter != null) { trackWriter.stopWriteTrack(); } } }
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, MarkerDetailActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(MarkerDetailActivity.EXTRA_MARKER_ID, 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 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; /** * Callback when an item in the contextual action mode is selected. * * @author Jimmy Shih */ public interface ContextualActionModeCallback { /** * Invoked when an item is selected. * * @param itemId the context menu item id * @param id the row id of the item that is selected */ public boolean onClick(int itemId, long id); }
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; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.io.file.GpxImporter; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.apps.mytracks.util.PreferencesUtils; import com.google.android.apps.mytracks.util.SystemUtils; import android.os.AsyncTask; import android.os.PowerManager.WakeLock; import android.util.Log; import java.io.File; import java.io.FileInputStream; import java.io.FileNotFoundException; import java.io.IOException; import java.util.ArrayList; import java.util.List; import javax.xml.parsers.ParserConfigurationException; import org.xml.sax.SAXException; /** * AsyncTask to import GPX files from the SD card. * * @author Jimmy Shih */ public class ImportAsyncTask extends AsyncTask<Void, Integer, Boolean> { private static final String TAG = ImportAsyncTask.class.getSimpleName(); private ImportActivity importActivity; private final boolean importAll; private final String path; private final MyTracksProviderUtils myTracksProviderUtils; private WakeLock wakeLock; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; // number of files successfully imported private int successCount; // number of files to import private int totalCount; // the last successfully imported track id private long trackId; /** * Creates an AsyncTask. * * @param importActivity the activity currently associated with this AsyncTask * @param importAll true to import all GPX files * @param path path to import GPX files */ public ImportAsyncTask(ImportActivity importActivity, boolean importAll, String path) { this.importActivity = importActivity; this.importAll = importAll; this.path = path; myTracksProviderUtils = MyTracksProviderUtils.Factory.get(importActivity); // Get the wake lock if not recording if (PreferencesUtils.getRecordingTrackId(importActivity) == -1L) { wakeLock = SystemUtils.acquireWakeLock(importActivity, wakeLock); } success = false; completed = false; successCount = 0; totalCount = 0; trackId = -1L; } /** * Sets the current {@link ImportActivity} associated with this AyncTask. * * @param importActivity the current {@link ImportActivity}, can be null */ public void setActivity(ImportActivity importActivity) { this.importActivity = importActivity; if (completed && importActivity != null) { importActivity.onAsyncTaskCompleted(success, successCount, totalCount, trackId); } } @Override protected void onPreExecute() { if (importActivity != null) { importActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { try { if (!FileUtils.isSdCardAvailable()) { return false; } List<File> files = getFiles(); totalCount = files.size(); if (totalCount == 0) { return true; } for (int i = 0; i < totalCount; i++) { if (isCancelled()) { // If cancelled, return true to show the number of files imported return true; } File file = files.get(i); if (importFile(file)) { successCount++; } publishProgress(i + 1, totalCount); } return true; } finally { // Release the wake lock if obtained if (wakeLock != null && wakeLock.isHeld()) { wakeLock.release(); } } } @Override protected void onProgressUpdate(Integer... values) { if (importActivity != null) { importActivity.setProgressDialogValue(values[0], values[1]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (importActivity != null) { importActivity.onAsyncTaskCompleted(success, successCount, totalCount, trackId); } } /** * Imports a GPX file. * * @param file the file */ private boolean importFile(final File file) { try { long trackIds[] = GpxImporter.importGPXFile(new FileInputStream(file), myTracksProviderUtils); int length = trackIds.length; if (length > 0) { trackId = trackIds[length - 1]; } return true; } catch (FileNotFoundException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } catch (ParserConfigurationException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } catch (SAXException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } catch (IOException e) { Log.d(TAG, "file: " + file.getAbsolutePath(), e); return false; } } /** * Gets a list of GPX files. If importAll is true, returns a list of GPX files * under the path directory. If importAll is false, returns a list containing * just the path file. */ private List<File> getFiles() { List<File> files = new ArrayList<File>(); File file = new File(path); if (importAll) { File[] candidates = file.listFiles(); if (candidates != null) { for (File candidate : candidates) { if (!candidate.isDirectory() && candidate.getName().endsWith(".gpx")) { files.add(candidate); } } } } else { files.add(file); } return files; } }
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.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.content.Intent; import android.os.Bundle; import android.widget.Toast; /** * An activity to export all the tracks to the SD card. * * @author Sandor Dornbush */ public class ExportActivity extends Activity { public static final String EXTRA_TRACK_FILE_FORMAT = "track_file_format"; private static final int DIALOG_PROGRESS_ID = 0; private ExportAsyncTask exportAsyncTask; private ProgressDialog progressDialog; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Object retained = getLastNonConfigurationInstance(); if (retained instanceof ExportAsyncTask) { exportAsyncTask = (ExportAsyncTask) retained; exportAsyncTask.setActivity(this); } else { Intent intent = getIntent(); TrackFileFormat trackFileFormat = intent.getParcelableExtra(EXTRA_TRACK_FILE_FORMAT); exportAsyncTask = new ExportAsyncTask(this, trackFileFormat); exportAsyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { exportAsyncTask.setActivity(null); return exportAsyncTask; } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_PROGRESS_ID) { return null; } progressDialog = DialogUtils.createHorizontalProgressDialog( this, R.string.export_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { exportAsyncTask.cancel(true); finish(); } }); return progressDialog; } /** * Invokes when the associated AsyncTask completes. * * @param success true if the AsyncTask is successful * @param messageId message id to display to user */ public void onAsyncTaskCompleted(boolean success, int messageId) { removeDialog(DIALOG_PROGRESS_ID); Toast.makeText(this, messageId, success ? Toast.LENGTH_SHORT : Toast.LENGTH_LONG).show(); finish(); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Sets the progress dialog value. * * @param number the number of tracks exported * @param max the maximum number of tracks */ public void setProgressDialogValue(int number, int max) { if (progressDialog != null) { progressDialog.setIndeterminate(false); progressDialog.setMax(max); progressDialog.setProgress(Math.min(number, max)); } } }
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.io.file; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.text.NumberFormat; import java.util.Locale; /** * Write track as GPX to a file. * * @author Sandor Dornbush */ public class GpxTrackWriter implements TrackFormatWriter { private static final NumberFormat ELEVATION_FORMAT = NumberFormat.getInstance(Locale.US); private static final NumberFormat COORDINATE_FORMAT = NumberFormat.getInstance(Locale.US); static { // GPX readers expect to see fractional numbers with US-style punctuation. // That is, they want periods for decimal points, rather than commas. ELEVATION_FORMAT.setMaximumFractionDigits(1); ELEVATION_FORMAT.setGroupingUsed(false); COORDINATE_FORMAT.setMaximumFractionDigits(5); COORDINATE_FORMAT.setMaximumIntegerDigits(3); COORDINATE_FORMAT.setGroupingUsed(false); } private final Context context; private Track track; private PrintWriter printWriter; public GpxTrackWriter(Context context) { this.context = context; } @Override public String getExtension() { return TrackFileFormat.GPX.getExtension(); } @Override public void prepare(Track aTrack, OutputStream outputStream) { this.track = aTrack; this.printWriter = new PrintWriter(outputStream); } @Override public void close() { if (printWriter != null) { printWriter.close(); printWriter = null; } } @Override public void writeHeader() { if (printWriter != null) { printWriter.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); printWriter.println("<gpx"); printWriter.println("version=\"1.1\""); printWriter.println( "creator=\"" + context.getString(R.string.send_google_by_my_tracks, "", "") + "\""); printWriter.println("xmlns=\"http://www.topografix.com/GPX/1/1\""); printWriter.println( "xmlns:topografix=\"http://www.topografix.com/GPX/Private/TopoGrafix/0/1\""); printWriter.println("xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\""); printWriter.println("xsi:schemaLocation=\"http://www.topografix.com/GPX/1/1" + " http://www.topografix.com/GPX/1/1/gpx.xsd" + " http://www.topografix.com/GPX/Private/TopoGrafix/0/1" + " http://www.topografix.com/GPX/Private/TopoGrafix/0/1/topografix.xsd\">"); printWriter.println("<metadata>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<desc>" + StringUtils.formatCData(track.getDescription()) + "</desc>"); printWriter.println("</metadata>"); } } @Override public void writeFooter() { if (printWriter != null) { printWriter.println("</gpx>"); } } @Override public void writeBeginTrack(Location firstLocation) { if (printWriter != null) { printWriter.println("<trk>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<desc>" + StringUtils.formatCData(track.getDescription()) + "</desc>"); printWriter.println("<extensions><topografix:color>c0c0c0</topografix:color></extensions>"); } } @Override public void writeEndTrack(Location lastLocation) { if (printWriter != null) { printWriter.println("</trk>"); } } @Override public void writeOpenSegment() { printWriter.println("<trkseg>"); } @Override public void writeCloseSegment() { printWriter.println("</trkseg>"); } @Override public void writeLocation(Location location) { if (printWriter != null) { printWriter.println("<trkpt " + formatLocation(location) + ">"); printWriter.println("<ele>" + ELEVATION_FORMAT.format(location.getAltitude()) + "</ele>"); printWriter.println("<time>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</time>"); printWriter.println("</trkpt>"); } } @Override public void writeBeginWaypoints() { // Do nothing } @Override public void writeEndWaypoints() { // Do nothing } @Override public void writeWaypoint(Waypoint waypoint) { if (printWriter != null) { Location location = waypoint.getLocation(); if (location != null) { printWriter.println("<wpt " + formatLocation(location) + ">"); printWriter.println("<ele>" + ELEVATION_FORMAT.format(location.getAltitude()) + "</ele>"); printWriter.println("<time>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</time>"); printWriter.println("<name>" + StringUtils.formatCData(waypoint.getName()) + "</name>"); printWriter.println( "<desc>" + StringUtils.formatCData(waypoint.getDescription()) + "</desc>"); printWriter.println("</wpt>"); } } } /** * Formats a location with latitude and longitude coordinates. * * @param location the location */ private String formatLocation(Location location) { return "lat=\"" + COORDINATE_FORMAT.format(location.getLatitude()) + "\" lon=\"" + COORDINATE_FORMAT.format(location.getLongitude()) + "\""; } }
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.content.Sensor.SensorData; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.mytracks.R; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.text.NumberFormat; /** * Write track as CSV to a file. See RFC 4180 for info on CSV. Output three * tables.<br> * The first table contains the track info. Its columns are:<br> * "Track name","Activity type","Track description" <br> * <br> * The second table contains the markers. Its columns are:<br> * "Marker name","Marker type","Marker description","Latitude (deg)","Longitude * (deg)","Altitude (m)","Bearing (deg)","Accuracy (m)","Speed (m/s)","Time"<br> * <br> * The thrid table contains the points. Its columns are:<br> * "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 (%)"<br> * * @author Rodrigo Damazio */ public class CsvTrackWriter implements TrackFormatWriter { private static final NumberFormat SHORT_FORMAT = NumberFormat.getInstance(); static { SHORT_FORMAT.setMaximumFractionDigits(4); } private final Context context; private PrintWriter printWriter; private Track track; private int segmentIndex; private int pointIndex; public CsvTrackWriter(Context context) { this.context = context; } @Override public String getExtension() { return TrackFileFormat.CSV.getExtension(); } @Override public void prepare(Track aTrack, OutputStream out) { track = aTrack; printWriter = new PrintWriter(out); segmentIndex = 0; pointIndex = 0; } @Override public void close() { printWriter.close(); } @Override public void writeHeader() { writeCommaSeparatedLine(context.getString(R.string.generic_name), context.getString(R.string.track_edit_activity_type_hint), context.getString(R.string.generic_description)); writeCommaSeparatedLine(track.getName(), track.getCategory(), track.getDescription()); writeCommaSeparatedLine(); } @Override public void writeFooter() { // Do nothing } @Override public void writeBeginWaypoints() { writeCommaSeparatedLine(context.getString(R.string.generic_name), context.getString(R.string.marker_edit_marker_type_hint), context.getString(R.string.generic_description), context.getString(R.string.description_location_latitude), context.getString(R.string.description_location_longitude), context.getString(R.string.description_location_altitude), context.getString(R.string.description_location_bearing), context.getString(R.string.description_location_accuracy), context.getString(R.string.description_location_speed), context.getString(R.string.description_location_time)); } @Override public void writeEndWaypoints() { writeCommaSeparatedLine(); } @Override public void writeWaypoint(Waypoint waypoint) { Location location = waypoint.getLocation(); writeCommaSeparatedLine(waypoint.getName(), waypoint.getCategory(), waypoint.getDescription(), Double.toString(location.getLatitude()), Double.toString(location.getLongitude()), Double.toString(location.getAltitude()), Double.toString(location.getBearing()), SHORT_FORMAT.format(location.getAccuracy()), SHORT_FORMAT.format(location.getSpeed()), StringUtils.formatDateTimeIso8601(location.getTime())); } @Override public void writeBeginTrack(Location firstPoint) { writeCommaSeparatedLine(context.getString(R.string.description_track_segment), context.getString(R.string.description_track_point), context.getString(R.string.description_location_latitude), context.getString(R.string.description_location_longitude), context.getString(R.string.description_location_altitude), context.getString(R.string.description_location_bearing), context.getString(R.string.description_location_accuracy), context.getString(R.string.description_location_speed), context.getString(R.string.description_location_time), context.getString(R.string.description_sensor_power), context.getString(R.string.description_sensor_cadence), context.getString(R.string.description_sensor_heart_rate), context.getString(R.string.description_sensor_battery_level)); } @Override public void writeEndTrack(Location lastPoint) { // Do nothing } @Override public void writeOpenSegment() { segmentIndex++; pointIndex = 0; } @Override public void writeCloseSegment() { // Do nothing } @Override public void writeLocation(Location location) { String power = null; String cadence = null; String heartRate = null; String batteryLevel = null; if (location instanceof MyTracksLocation) { SensorDataSet sensorDataSet = ((MyTracksLocation) location).getSensorDataSet(); if (sensorDataSet != null) { if (sensorDataSet.hasPower()) { SensorData sensorData = sensorDataSet.getPower(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { power = Double.toString(sensorData.getValue()); } } if (sensorDataSet.hasCadence()) { SensorData sensorData = sensorDataSet.getCadence(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { cadence = Double.toString(sensorData.getValue()); } } if (sensorDataSet.hasHeartRate()) { SensorData sensorData = sensorDataSet.getHeartRate(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { heartRate = Double.toString(sensorData.getValue()); } } if (sensorDataSet.hasBatteryLevel()) { SensorData sensorData = sensorDataSet.getBatteryLevel(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { batteryLevel = Double.toString(sensorData.getValue()); } } } } pointIndex++; writeCommaSeparatedLine(Integer.toString(segmentIndex), Integer.toString(pointIndex), Double.toString(location.getLatitude()), Double.toString(location.getLongitude()), Double.toString(location.getAltitude()), Double.toString(location.getBearing()), SHORT_FORMAT.format(location.getAccuracy()), SHORT_FORMAT.format(location.getSpeed()), StringUtils.formatDateTimeIso8601(location.getTime()), power, cadence, heartRate, batteryLevel); } /** * Writes a single line of a CSV file. * * @param values the values to be written as CSV */ private void writeCommaSeparatedLine(String... values) { StringBuilder builder = new StringBuilder(); boolean isFirst = true; for (String value : values) { if (!isFirst) { builder.append(','); } isFirst = false; if (value != null) { builder.append('"'); builder.append(value.replaceAll("\"", "\"\"")); builder.append('"'); } } printWriter.println(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.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.lib.R; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.SystemUtils; import android.content.Context; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.util.Locale; /** * Write track as TCX to a file. See http://developer.garmin.com/schemas/tcx/v2/ * for info on TCX. <br> * The TCX file output is verified by uploading the file to * http://connect.garmin.com/. * * @author Sandor Dornbush * @author Dominik Ršttsches */ public class TcxTrackWriter implements TrackFormatWriter { /** * TCX sport type. See the TCX spec. * * @author Jimmy Shih */ private enum SportType { RUNNING("Running"), BIKING("Biking"), OTHER("Other"); private final String name; private SportType(String name) { this.name = name; } /** * Gets the name of the sport type */ public String getName() { return name; } } // My Tracks categories that are considered as TCX biking sport type. private static final int TCX_SPORT_BIKING_IDS[] = { R.string.activity_type_cycling, R.string.activity_type_dirt_bike, R.string.activity_type_mountain_biking, R.string.activity_type_road_biking, R.string.activity_type_track_cycling }; // My Tracks categories that are considered as TCX running sport type. private static final int TCX_SPORT_RUNNING_IDS[] = { R.string.activity_type_running, R.string.activity_type_speed_walking, R.string.activity_type_street_running, R.string.activity_type_track_running, R.string.activity_type_trail_running, R.string.activity_type_walking }; private final Context context; private Track track; private PrintWriter printWriter; private SportType sportType; public TcxTrackWriter(Context context) { this.context = context; } @Override public void prepare(Track aTrack, OutputStream out) { this.track = aTrack; this.printWriter = new PrintWriter(out); this.sportType = getSportType(track.getCategory()); } @Override public void close() { if (printWriter != null) { printWriter.close(); printWriter = null; } } @Override public String getExtension() { return TrackFileFormat.TCX.getExtension(); } @Override public void writeHeader() { if (printWriter != null) { printWriter.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); printWriter.println("<TrainingCenterDatabase" + " xmlns=\"http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2\""); printWriter.println("xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\""); printWriter.println("xsi:schemaLocation=" + "\"http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2" + " http://www.garmin.com/xmlschemas/TrainingCenterDatabasev2.xsd\">"); } } @Override public void writeFooter() { if (printWriter != null) { printWriter.println("<Author xsi:type=\"Application_t\">"); printWriter.println("<Name>" + StringUtils.formatCData(context.getString(R.string.send_google_by_my_tracks, "", "")) + "</Name>"); // <Build>, <LangID>, and <PartNumber> are required by type=Application_t. printWriter.println("<Build>"); writeVersion(); printWriter.println("</Build>"); printWriter.println("<LangID>" + Locale.getDefault().getLanguage() + "</LangID>"); printWriter.println("<PartNumber>000-00000-00</PartNumber>"); printWriter.println("</Author>"); printWriter.println("</TrainingCenterDatabase>"); } } @Override public void writeBeginTrack(Location firstPoint) { if (printWriter != null) { String startTime = StringUtils.formatDateTimeIso8601(track.getStatistics().getStartTime()); long totalTimeInSeconds = track.getStatistics().getTotalTime() / 1000; printWriter.println("<Activities>"); printWriter.println("<Activity Sport=\"" + sportType.getName() + "\">"); printWriter.println("<Id>" + startTime + "</Id>"); printWriter.println("<Lap StartTime=\"" + startTime + "\">"); printWriter.println("<TotalTimeSeconds>" + totalTimeInSeconds + "</TotalTimeSeconds>"); printWriter.println("<DistanceMeters>" + track.getStatistics().getTotalDistance() + "</DistanceMeters>"); // <Calories> is required, just put in 0. printWriter.println("<Calories>0</Calories>"); printWriter.println("<Intensity>Active</Intensity>"); printWriter.println("<TriggerMethod>Manual</TriggerMethod>"); } } @Override public void writeEndTrack(Location lastPoint) { if (printWriter != null) { printWriter.println("</Lap>"); printWriter.println("<Creator xsi:type=\"Device_t\">"); printWriter.println("<Name>" + StringUtils.formatCData(context.getString(R.string.send_google_by_my_tracks, "", "")) + "</Name>"); // <UnitId>, <ProductID>, and <Version> are required for type=Device_t. printWriter.println("<UnitId>0</UnitId>"); printWriter.println("<ProductID>0</ProductID>"); writeVersion(); printWriter.println("</Creator>"); printWriter.println("</Activity>"); printWriter.println("</Activities>"); } } @Override public void writeOpenSegment() { if (printWriter != null) { printWriter.println("<Track>"); } } @Override public void writeCloseSegment() { if (printWriter != null) { printWriter.println("</Track>"); } } @Override public void writeLocation(Location location) { if (printWriter != null) { printWriter.println("<Trackpoint>"); printWriter.println("<Time>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</Time>"); printWriter.println("<Position>"); printWriter.println("<LatitudeDegrees>" + location.getLatitude() + "</LatitudeDegrees>"); printWriter.println("<LongitudeDegrees>" + location.getLongitude() + "</LongitudeDegrees>"); printWriter.println("</Position>"); printWriter.println("<AltitudeMeters>" + location.getAltitude() + "</AltitudeMeters>"); if (location instanceof MyTracksLocation) { SensorDataSet sensorDataSet = ((MyTracksLocation) location).getSensorDataSet(); if (sensorDataSet != null) { boolean heartRateAvailable = sensorDataSet.hasHeartRate() && sensorDataSet.getHeartRate().hasValue() && sensorDataSet.getHeartRate().getState() == Sensor.SensorState.SENDING; boolean cadenceAvailable = sensorDataSet.hasCadence() && sensorDataSet.getCadence().hasValue() && sensorDataSet.getCadence().getState() == Sensor.SensorState.SENDING; boolean powerAvailable = sensorDataSet.hasPower() && sensorDataSet.getPower().hasValue() && sensorDataSet.getPower().getState() == Sensor.SensorState.SENDING; if (heartRateAvailable) { printWriter.println("<HeartRateBpm>"); printWriter.println("<Value>" + sensorDataSet.getHeartRate().getValue() + "</Value>"); printWriter.println("</HeartRateBpm>"); } // <Cadence> needs to be put before <Extensions>. // According to the TCX spec, <Cadence> is only for the biking sport // type. For others, use <RunCadence> in <Extensions>. if (cadenceAvailable && sportType == SportType.BIKING) { // The spec requires the max value be 254. printWriter.println( "<Cadence>" + Math.min(254, sensorDataSet.getCadence().getValue()) + "</Cadence>"); } if ((cadenceAvailable && sportType != SportType.BIKING) || powerAvailable) { printWriter.println("<Extensions>"); printWriter.println( "<TPX xmlns=\"http://www.garmin.com/xmlschemas/ActivityExtension/v2\">"); // <RunCadence> needs to be put before <Watts>. if (cadenceAvailable && sportType != SportType.BIKING) { // The spec requires the max value to be 254. printWriter.println("<RunCadence>" + Math.min(254, sensorDataSet.getCadence().getValue()) + "</RunCadence>"); } if (powerAvailable) { printWriter.println("<Watts>" + sensorDataSet.getPower().getValue() + "</Watts>"); } printWriter.println("</TPX>"); printWriter.println("</Extensions>"); } } } printWriter.println("</Trackpoint>"); } } @Override public void writeBeginWaypoints() { // Do nothing. } @Override public void writeEndWaypoints() { // Do nothing. } @Override public void writeWaypoint(Waypoint waypoint) { // Do nothing. } /** * Writes the TCX Version. */ private void writeVersion() { // Split the My Tracks version code into VersionMajor, VersionMinor, and, // BuildMajor to fit the integer type requirement for these fields in the // TCX spec. String[] versionComponents = SystemUtils.getMyTracksVersion(context).split("\\."); int versionMajor = versionComponents.length > 0 ? Integer.valueOf(versionComponents[0]) : 0; int versionMinor = versionComponents.length > 1 ? Integer.valueOf(versionComponents[1]) : 0; int buildMajor = versionComponents.length > 2 ? Integer.valueOf(versionComponents[2]) : 0; printWriter.println("<Version>"); printWriter.println("<VersionMajor>" + versionMajor + "</VersionMajor>"); printWriter.println("<VersionMinor>" + versionMinor + "</VersionMinor>"); // According to TCX spec, these are optional. But http://connect.garmin.com // requires them. printWriter.println("<BuildMajor>" + buildMajor + "</BuildMajor>"); printWriter.println("<BuildMinor>0</BuildMinor>"); printWriter.println("</Version>"); } /** * Gets the sport type from the category. * * @param category the category */ private SportType getSportType(String category) { category = category.trim(); // For tracks with localized category. for (int i : TCX_SPORT_RUNNING_IDS) { if (category.equalsIgnoreCase(context.getString(i))) { return SportType.RUNNING; } } for (int i : TCX_SPORT_BIKING_IDS) { if (category.equalsIgnoreCase(context.getString(i))) { return SportType.BIKING; } } // For tracks without localized category. if (category.equalsIgnoreCase(SportType.RUNNING.getName())) { return SportType.RUNNING; } else if (category.equalsIgnoreCase(SportType.BIKING.getName())) { return SportType.BIKING; } else { return SportType.OTHER; } } }
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.Track; import com.google.android.apps.mytracks.content.Waypoint; import android.location.Location; import java.io.OutputStream; /** * Interface for writing a track to file. * * The expected sequence of calls is: * <ol> * <li>{@link #prepare} * <li>{@link #writeHeader} * <li>{@link #writeBeginWaypoints} * <li>For each waypoint: {@link #writeWaypoint} * <li>{@link #writeEndWaypoints} * <li>{@link #writeBeginTrack} * <li>For each segment: * <ol> * <li>{@link #writeOpenSegment} * <li>For each location in the segment: {@link #writeLocation} * <li>{@link #writeCloseSegment} * </ol> * <li>{@link #writeEndTrack} * <li>{@link #writeFooter} * <li>{@link #close} * </ol> * * @author Rodrigo Damazio */ public interface TrackFormatWriter { /** * Gets the file extension (i.e. gpx, kml, ...) */ public String getExtension(); /** * Sets up the writer to write the given track. * * @param track the track to write * @param outputStream the output stream to write the track to */ public void prepare(Track track, OutputStream outputStream); /** * Closes the underlying file handler. */ public void close(); /** * Writes the header. */ public void writeHeader(); /** * Writes the footer. */ public void writeFooter(); /** * Writes the beginning of the waypoints. */ public void writeBeginWaypoints(); /** * Writes the end of the waypoints. */ public void writeEndWaypoints(); /** * Writes a waypoint. * * @param waypoint the waypoint */ public void writeWaypoint(Waypoint waypoint); /** * Writes the beginning of the track. * * @param firstLocation the first location */ public void writeBeginTrack(Location firstLocation); /** * Writes the end of the track. * * @param lastLocation the last location */ public void writeEndTrack(Location lastLocation); /** * Writes the statements necessary to open a new segment. */ public void writeOpenSegment(); /** * Writes the statements necessary to close a segment. */ public void writeCloseSegment(); /** * Writes a location. * * @param location the location */ public void writeLocation(Location location); }
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.Constants; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatisticsBuilder; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.StringUtils; import android.location.Location; import android.location.LocationManager; import android.net.Uri; import android.util.Log; import java.io.IOException; import java.io.InputStream; import java.util.ArrayList; import java.util.List; import javax.xml.parsers.ParserConfigurationException; import javax.xml.parsers.SAXParser; import javax.xml.parsers.SAXParserFactory; import org.xml.sax.Attributes; import org.xml.sax.Locator; import org.xml.sax.SAXException; import org.xml.sax.helpers.DefaultHandler; /** * Imports GPX XML files to the my tracks provider. * * TODO: Show progress indication to the user. * * @author Leif Hendrik Wilden * @author Steffen Horlacher * @author Rodrigo Damazio */ public class GpxImporter extends DefaultHandler { /* * GPX-XML tag names and attributes. */ private static final String TAG_TRACK = "trk"; private static final String TAG_TRACK_POINT = "trkpt"; private static final Object TAG_TRACK_SEGMENT = "trkseg"; private static final String TAG_NAME = "name"; private static final String TAG_DESCRIPTION = "desc"; private static final String TAG_ALTITUDE = "ele"; private static final String TAG_TIME = "time"; private static final String ATT_LAT = "lat"; private static final String ATT_LON = "lon"; /** * The maximum number of locations to buffer for bulk-insertion into the database. */ private static final int MAX_BUFFERED_LOCATIONS = 512; /** * Utilities for accessing the contnet provider. */ private final MyTracksProviderUtils providerUtils; /** * List of track ids written in the database. Only contains successfully * written tracks. */ private final List<Long> tracksWritten; /** * Contains the current elements content. */ private String content; /** * Currently reading location. */ private Location location; /** * Previous location, required for calculations. */ private Location lastLocation; /** * Currently reading track. */ private Track track; /** * Statistics builder for the current track. */ private TripStatisticsBuilder statsBuilder; /** * Buffer of locations to be bulk-inserted into the database. */ private Location[] bufferedPointInserts = new Location[MAX_BUFFERED_LOCATIONS]; /** * Number of locations buffered to be inserted into the database. */ private int numBufferedPointInserts = 0; /** * Number of locations already processed. */ private int numberOfLocations; /** * Number of segments already processed. */ private int numberOfSegments; /** * Used to identify if a track was written to the database but not yet * finished successfully. */ private boolean isCurrentTrackRollbackable; /** * Flag to indicate if we're inside a track's xml element. * Some sub elements like name may be used in other parts of the gpx file, * and we use this to ignore them. */ private boolean isInTrackElement; /** * Counter to find out which child level of track we are processing. */ private int trackChildDepth; /** * SAX-Locator to get current line information. */ private Locator locator; private Location lastSegmentLocation; /** * Reads GPS tracks from a GPX file and writes tracks and their coordinates to * the database. * * @param is a input steam with gpx-xml data * @return long[] array of track ids written in the database * @throws SAXException a parsing error * @throws ParserConfigurationException internal error * @throws IOException a file reading problem */ public static long[] importGPXFile(final InputStream is, final MyTracksProviderUtils providerUtils) throws ParserConfigurationException, SAXException, IOException { SAXParserFactory factory = SAXParserFactory.newInstance(); GpxImporter handler = new GpxImporter(providerUtils); SAXParser parser = factory.newSAXParser(); long[] trackIds = null; try { long start = System.currentTimeMillis(); parser.parse(is, handler); long end = System.currentTimeMillis(); Log.d(Constants.TAG, "Total import time: " + (end - start) + "ms"); trackIds = handler.getImportedTrackIds(); } finally { // delete track if not finished handler.rollbackUnfinishedTracks(); } return trackIds; } /** * Constructor, requires providerUtils for writing tracks the database. */ public GpxImporter(MyTracksProviderUtils providerUtils) { this.providerUtils = providerUtils; tracksWritten = new ArrayList<Long>(); } @Override public void characters(char[] ch, int start, int length) throws SAXException { String newContent = new String(ch, start, length); if (content == null) { content = newContent; } else { // In 99% of the cases, a single call to this method will be made for each // sequence of characters we're interested in, so we'll rarely be // concatenating strings, thus not justifying the use of a StringBuilder. content += newContent; } } @Override public void startElement(String uri, String localName, String name, Attributes attributes) throws SAXException { if (isInTrackElement) { trackChildDepth++; if (localName.equals(TAG_TRACK_POINT)) { onTrackPointElementStart(attributes); } else if (localName.equals(TAG_TRACK_SEGMENT)) { onTrackSegmentElementStart(); } else if (localName.equals(TAG_TRACK)) { String msg = createErrorMessage("Invalid GPX-XML detected"); throw new SAXException(msg); } } else if (localName.equals(TAG_TRACK)) { isInTrackElement = true; trackChildDepth = 0; onTrackElementStart(); } } @Override public void endElement(String uri, String localName, String name) throws SAXException { if (!isInTrackElement) { content = null; return; } // process these elements only as sub-elements of track if (localName.equals(TAG_TRACK_POINT)) { onTrackPointElementEnd(); } else if (localName.equals(TAG_ALTITUDE)) { onAltitudeElementEnd(); } else if (localName.equals(TAG_TIME)) { onTimeElementEnd(); } else if (localName.equals(TAG_NAME)) { // we are only interested in the first level name element if (trackChildDepth == 1) { onNameElementEnd(); } } else if (localName.equals(TAG_DESCRIPTION)) { // we are only interested in the first level description element if (trackChildDepth == 1) { onDescriptionElementEnd(); } } else if (localName.equals(TAG_TRACK_SEGMENT)) { onTrackSegmentElementEnd(); } else if (localName.equals(TAG_TRACK)) { onTrackElementEnd(); isInTrackElement = false; trackChildDepth = 0; } trackChildDepth--; // reset element content content = null; } @Override public void setDocumentLocator(Locator locator) { this.locator = locator; } /** * Create a new Track object and insert empty track in database. Track will be * updated with missing values later. */ private void onTrackElementStart() { track = new Track(); numberOfLocations = 0; Uri trackUri = providerUtils.insertTrack(track); long trackId = Long.parseLong(trackUri.getLastPathSegment()); track.setId(trackId); isCurrentTrackRollbackable = true; } private void onDescriptionElementEnd() { track.setDescription(content.toString().trim()); } private void onNameElementEnd() { track.setName(content.toString().trim()); } /** * Track segment started. */ private void onTrackSegmentElementStart() { if (numberOfSegments > 0) { // Add a segment separator: location = new Location(LocationManager.GPS_PROVIDER); location.setLatitude(100.0); location.setLongitude(100.0); location.setAltitude(0); if (lastLocation != null) { location.setTime(lastLocation.getTime()); } insertTrackPoint(location); lastLocation = location; lastSegmentLocation = null; location = null; } numberOfSegments++; } /** * Reads trackpoint attributes and assigns them to the current location. * * @param attributes xml attributes */ private void onTrackPointElementStart(Attributes attributes) throws SAXException { if (location != null) { String errorMsg = createErrorMessage("Found a track point inside another one."); throw new SAXException(errorMsg); } location = createLocationFromAttributes(attributes); } /** * Creates and returns a location with the position parsed from the given * attributes. * * @param attributes the attributes to parse * @return the created location * @throws SAXException if the attributes cannot be parsed */ private Location createLocationFromAttributes(Attributes attributes) throws SAXException { String latitude = attributes.getValue(ATT_LAT); String longitude = attributes.getValue(ATT_LON); if (latitude == null || longitude == null) { throw new SAXException(createErrorMessage("Point with no longitude or latitude")); } // create new location and set attributes Location loc = new Location(LocationManager.GPS_PROVIDER); try { loc.setLatitude(Double.parseDouble(latitude)); loc.setLongitude(Double.parseDouble(longitude)); } catch (NumberFormatException e) { String msg = createErrorMessage( "Unable to parse lat/long: " + latitude + "/" + longitude); throw new SAXException(msg, e); } return loc; } /** * Track point finished, write in database. * * @throws SAXException - thrown if track point is invalid */ private void onTrackPointElementEnd() throws SAXException { if (LocationUtils.isValidLocation(location)) { if (statsBuilder == null) { // first point did not have a time, start stats builder without it statsBuilder = new TripStatisticsBuilder(0); } statsBuilder.addLocation(location, location.getTime()); // insert in db insertTrackPoint(location); // first track point? if (lastLocation == null && numberOfSegments == 1) { track.setStartId(getLastPointId()); } lastLocation = location; lastSegmentLocation = location; location = null; } else { // invalid location - abort import String msg = createErrorMessage("Invalid location detected: " + location); throw new SAXException(msg); } } private void insertTrackPoint(Location loc) { bufferedPointInserts[numBufferedPointInserts] = loc; numBufferedPointInserts++; numberOfLocations++; if (numBufferedPointInserts >= MAX_BUFFERED_LOCATIONS) { flushPointInserts(); } } private void flushPointInserts() { if (numBufferedPointInserts <= 0) { return; } providerUtils.bulkInsertTrackPoints(bufferedPointInserts, numBufferedPointInserts, track.getId()); numBufferedPointInserts = 0; } /** * Track segment finished. */ private void onTrackSegmentElementEnd() { // Nothing to be done } /** * Track finished - update in database. */ private void onTrackElementEnd() { if (lastLocation != null) { flushPointInserts(); // Calculate statistics for the imported track and update statsBuilder.pauseAt(lastLocation.getTime()); track.setStopId(getLastPointId()); track.setNumberOfPoints(numberOfLocations); track.setStatistics(statsBuilder.getStatistics()); providerUtils.updateTrack(track); tracksWritten.add(track.getId()); isCurrentTrackRollbackable = false; lastSegmentLocation = null; lastLocation = null; statsBuilder = null; } else { // track contains no track points makes no real // sense to import it as we have no location // information -> roll back rollbackUnfinishedTracks(); } } /** * Setting time and doing additional calculations as this is the last value * required. Also sets the start time for track and statistics as there is no * start time in the track root element. * * @throws SAXException on parsing errors */ private void onTimeElementEnd() throws SAXException { if (location == null) { return; } // Parse the time long time; try { time = StringUtils.getTime(content.trim()); } catch (IllegalArgumentException e) { String msg = createErrorMessage("Unable to parse time: " + content); throw new SAXException(msg, e); } // Calculate derived attributes from previous point if (lastSegmentLocation != null) { long timeDifference = time - lastSegmentLocation.getTime(); // check for negative time change if (timeDifference < 0) { Log.w(Constants.TAG, "Found negative time change."); } else { // We don't have a speed and bearing in GPX, make something up from // the last two points. // TODO GPS points tend to have some inherent imprecision, // speed and bearing will likely be off, so the statistics for things like // max speed will also be off. float speed = location.distanceTo(lastLocation) * 1000.0f / timeDifference; location.setSpeed(speed); location.setBearing(lastSegmentLocation.bearingTo(location)); } } // Fill in the time location.setTime(time); // initialize start time with time of first track point if (statsBuilder == null) { statsBuilder = new TripStatisticsBuilder(time); } } private void onAltitudeElementEnd() throws SAXException { if (location != null) { try { location.setAltitude(Double.parseDouble(content)); } catch (NumberFormatException e) { String msg = createErrorMessage("Unable to parse altitude: " + content); throw new SAXException(msg, e); } } } /** * Deletes the last track if it was not completely imported. */ public void rollbackUnfinishedTracks() { if (isCurrentTrackRollbackable) { providerUtils.deleteTrack(track.getId()); isCurrentTrackRollbackable = false; } } /** * Get all track ids of the tracks created by this importer run. * * @return array of track ids */ private long[] getImportedTrackIds() { // Convert from java.lang.Long for convenience long[] result = new long[tracksWritten.size()]; for (int i = 0; i < result.length; i++) { result[i] = tracksWritten.get(i); } return result; } /** * Returns the ID of the last point inserted into the database. */ private long getLastPointId() { flushPointInserts(); return providerUtils.getLastLocationId(track.getId()); } /** * Builds a parsing error message with current line information. * * @param details details about the error, will be appended * @return error message string with current line information */ private String createErrorMessage(String details) { StringBuffer msg = new StringBuffer(); msg.append("Parsing error at line: "); msg.append(locator.getLineNumber()); msg.append(" column: "); msg.append(locator.getColumnNumber()); msg.append(". "); msg.append(details); return msg.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 static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import android.content.Context; import android.os.Parcel; import android.os.Parcelable; import android.util.Log; /** * A factory to produce track writers for any format. * * @author Rodrigo Damazio */ public class TrackWriterFactory { /** * Definition of all possible track formats. */ public enum TrackFileFormat implements Parcelable { GPX { @Override TrackFormatWriter newFormatWriter(Context context) { return new GpxTrackWriter(context); } }, KML { @Override TrackFormatWriter newFormatWriter(Context context) { return new KmlTrackWriter(context); } }, CSV { @Override public TrackFormatWriter newFormatWriter(Context context) { return new CsvTrackWriter(context); } }, TCX { @Override public TrackFormatWriter newFormatWriter(Context context) { return new TcxTrackWriter(context); } }; @Override public int describeContents() { return 0; } @Override public void writeToParcel(final Parcel dest, final int flags) { dest.writeInt(ordinal()); } public static final Creator<TrackFileFormat> CREATOR = new Creator<TrackFileFormat>() { @Override public TrackFileFormat createFromParcel(final Parcel source) { return TrackFileFormat.values()[source.readInt()]; } @Override public TrackFileFormat[] newArray(final int size) { return new TrackFileFormat[size]; } }; /** * Creates and returns a new format writer for each format. */ abstract TrackFormatWriter newFormatWriter(Context context); /** * Returns the mime type for each format. */ public String getMimeType() { return "application/" + getExtension() + "+xml"; } /** * Returns the file extension for each format. */ public String getExtension() { return this.name().toLowerCase(); } } /** * Creates a new track writer to write the track with the given ID. * * @param context the context in which the track will be read * @param providerUtils the data provider utils to read the track with * @param trackId the ID of the track to be written * @param format the output format to write in * @return the new track writer */ public static TrackWriter newWriter(Context context, MyTracksProviderUtils providerUtils, long trackId, TrackFileFormat format) { Track track = providerUtils.getTrack(trackId); if (track == null) { Log.w(TAG, "Trying to create a writer for an invalid track, id=" + trackId); return null; } return newWriter(context, providerUtils, track, format); } /** * Creates a new track writer to write the given track. * * @param context the context in which the track will be read * @param providerUtils the data provider utils to read the track with * @param track the track to be written * @param format the output format to write in * @return the new track writer */ private static TrackWriter newWriter(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFileFormat format) { TrackFormatWriter writer = format.newFormatWriter(context); return new TrackWriterImpl(context, providerUtils, track, writer); } private TrackWriterFactory() { } }
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; import android.os.AsyncTask; /** * Async Task to save a track to the SD card. * * @author Jimmy Shih */ public class SaveAsyncTask extends AsyncTask<Void, Integer, Boolean> { private SaveActivity saveActivity; private final TrackWriter trackWriter; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; /** * Creates an AsyncTask. * * @param saveActivity the {@link SaveActivity} currently associated with this * AsyncTask * @param trackWriter the track writer */ public SaveAsyncTask(SaveActivity saveActivity, TrackWriter trackWriter) { this.saveActivity = saveActivity; this.trackWriter = trackWriter; success = false; completed = false; } /** * Sets the current {@link SaveActivity} associated with this AyncTask. * * @param saveActivity the current {@link SaveActivity}, can be null */ public void setActivity(SaveActivity saveActivity) { this.saveActivity = saveActivity; if (completed && saveActivity != null) { saveActivity.onAsyncTaskCompleted( success, trackWriter.getErrorMessage(), trackWriter.getAbsolutePath()); } } @Override protected void onPreExecute() { if (saveActivity != null) { saveActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { trackWriter.setOnWriteListener(new TrackWriter.OnWriteListener() { @Override public void onWrite(int number, int max) { // Update the progress dialog once every 500 points if (number % 500 == 0) { publishProgress(number, max); } } }); trackWriter.writeTrack(); return trackWriter.wasSuccess(); } @Override protected void onProgressUpdate(Integer... values) { if (saveActivity != null) { saveActivity.setProgressDialogValue(values[0], values[1]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (saveActivity != null) { saveActivity.onAsyncTaskCompleted( success, trackWriter.getErrorMessage(), trackWriter.getAbsolutePath()); } } @Override protected void onCancelled() { trackWriter.stopWriteTrack(); } }
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.io.file; 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.Sensor; import com.google.android.apps.mytracks.content.Sensor.SensorData; import com.google.android.apps.mytracks.content.Sensor.SensorDataSet; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; 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.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.util.ArrayList; /** * Write track as KML to a file. * * @author Leif Hendrik Wilden */ public class KmlTrackWriter implements TrackFormatWriter { /** * ID of the KML feature to play a tour. */ public static final String TOUR_FEATURE_ID = "tour"; private static final String WAYPOINT_STYLE = "waypoint"; private static final String STATISTICS_STYLE = "statistics"; private static final String START_STYLE = "start"; private static final String END_STYLE = "end"; private static final String TRACK_STYLE = "track"; private static final String SCHEMA_ID = "schema"; private static final String CADENCE = "cadence"; private static final String HEART_RATE = "heart_rate"; private static final String POWER = "power"; private static final String BATTER_LEVEL = "battery_level"; private static final String WAYPOINT_ICON = "http://maps.google.com/mapfiles/kml/pushpin/blue-pushpin.png"; private static final String STATISTICS_ICON = "http://maps.google.com/mapfiles/kml/pushpin/ylw-pushpin.png"; private static final String START_ICON = "http://maps.google.com/mapfiles/kml/paddle/grn-circle.png"; private static final String END_ICON = "http://maps.google.com/mapfiles/kml/paddle/red-circle.png"; private static final String TRACK_ICON = "http://earth.google.com/images/kml-icons/track-directional/track-0.png"; private final Context context; private final DescriptionGenerator descriptionGenerator; private Track track; private PrintWriter printWriter; private ArrayList<Integer> powerList = new ArrayList<Integer>(); private ArrayList<Integer> cadenceList = new ArrayList<Integer>(); private ArrayList<Integer> heartRateList = new ArrayList<Integer>(); private ArrayList<Integer> batteryLevelList = new ArrayList<Integer>(); private boolean hasPower; private boolean hasCadence; private boolean hasHeartRate; private boolean hasBatteryLevel; public KmlTrackWriter(Context context) { this(context, new DescriptionGeneratorImpl(context)); } @VisibleForTesting KmlTrackWriter(Context context, DescriptionGenerator descriptionGenerator) { this.context = context; this.descriptionGenerator = descriptionGenerator; } @Override public String getExtension() { return TrackFileFormat.KML.getExtension(); } @Override public void prepare(Track aTrack, OutputStream outputStream) { this.track = aTrack; this.printWriter = new PrintWriter(outputStream); } @Override public void close() { if (printWriter != null) { printWriter.close(); printWriter = null; } } @Override public void writeHeader() { if (printWriter != null) { printWriter.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); printWriter.println("<kml xmlns=\"http://www.opengis.net/kml/2.2\""); printWriter.println("xmlns:atom=\"http://www.w3.org/2005/Atom\""); printWriter.println("xmlns:gx=\"http://www.google.com/kml/ext/2.2\">"); printWriter.println("<Document>"); printWriter.println("<open>1</open>"); printWriter.println("<visibility>1</visibility>"); printWriter.println( "<description>" + StringUtils.formatCData(track.getDescription()) + "</description>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<atom:author><atom:name>" + StringUtils.formatCData( context.getString(R.string.send_google_by_my_tracks, "", "")) + "</atom:name></atom:author>"); writeTrackStyle(); writePlacemarkerStyle(START_STYLE, START_ICON, 32, 1); writePlacemarkerStyle(END_STYLE, END_ICON, 32, 1); writePlacemarkerStyle(STATISTICS_STYLE, STATISTICS_ICON, 20, 2); writePlacemarkerStyle(WAYPOINT_STYLE, WAYPOINT_ICON, 20, 2); printWriter.println("<Schema id=\"" + SCHEMA_ID + "\">"); writeSensorStyle(POWER, context.getString(R.string.description_sensor_power)); writeSensorStyle(CADENCE, context.getString(R.string.description_sensor_cadence)); writeSensorStyle(HEART_RATE, context.getString(R.string.description_sensor_heart_rate)); writeSensorStyle(BATTER_LEVEL, context.getString(R.string.description_sensor_battery_level)); printWriter.println("</Schema>"); } } @Override public void writeFooter() { if (printWriter != null) { printWriter.println("</Document>"); printWriter.println("</kml>"); } } @Override public void writeBeginWaypoints() { if (printWriter != null) { printWriter.println( "<Folder><name>" + StringUtils.formatCData(context.getString(R.string.menu_markers)) + "</name>"); } } @Override public void writeEndWaypoints() { if (printWriter != null) { printWriter.println("</Folder>"); } } @Override public void writeWaypoint(Waypoint waypoint) { if (printWriter != null) { String styleName = waypoint.getType() == Waypoint.TYPE_STATISTICS ? STATISTICS_STYLE : WAYPOINT_STYLE; writePlacemark( waypoint.getName(), waypoint.getDescription(), styleName, waypoint.getLocation()); } } @Override public void writeBeginTrack(Location firstLocation) { if (printWriter != null) { String name = context.getString(R.string.marker_label_start, track.getName()); writePlacemark(name, track.getDescription(), START_STYLE, firstLocation); printWriter.println("<Placemark id=\"" + TOUR_FEATURE_ID + "\">"); printWriter.println( "<description>" + StringUtils.formatCData(track.getDescription()) + "</description>"); printWriter.println("<name>" + StringUtils.formatCData(track.getName()) + "</name>"); printWriter.println("<styleUrl>#" + TRACK_STYLE + "</styleUrl>"); printWriter.println("<gx:MultiTrack>"); printWriter.println("<altitudeMode>absolute</altitudeMode>"); printWriter.println("<gx:interpolate>1</gx:interpolate>"); } } @Override public void writeEndTrack(Location lastLocation) { if (printWriter != null) { printWriter.println("</gx:MultiTrack>"); printWriter.println("</Placemark>"); String name = context.getString(R.string.marker_label_end, track.getName()); String description = descriptionGenerator.generateTrackDescription(track, null, null); writePlacemark(name, description, END_STYLE, lastLocation); } } @Override public void writeOpenSegment() { if (printWriter != null) { printWriter.println("<gx:Track>"); hasPower = false; hasCadence = false; hasHeartRate = false; hasBatteryLevel = false; powerList.clear(); cadenceList.clear(); heartRateList.clear(); batteryLevelList.clear(); } } @Override public void writeCloseSegment() { if (printWriter != null) { printWriter.println("<ExtendedData>"); printWriter.println("<SchemaData schemaUrl=\"#" + SCHEMA_ID + "\">"); if (hasPower) { writeSensorData(powerList, POWER); } if (hasCadence) { writeSensorData(cadenceList, CADENCE); } if (hasHeartRate) { writeSensorData(heartRateList, HEART_RATE); } if (hasBatteryLevel) { writeSensorData(batteryLevelList, BATTER_LEVEL); } printWriter.println("</SchemaData>"); printWriter.println("</ExtendedData>"); printWriter.println("</gx:Track>"); } } @Override public void writeLocation(Location location) { if (printWriter != null) { printWriter.println("<when>" + StringUtils.formatDateTimeIso8601(location.getTime()) + "</when>"); printWriter.println( "<gx:coord>" + location.getLongitude() + " " + location.getLatitude() + " " + location.getAltitude() + "</gx:coord>"); if (location instanceof MyTracksLocation) { SensorDataSet sensorDataSet = ((MyTracksLocation) location).getSensorDataSet(); int power = -1; int cadence = -1; int heartRate = -1; int batteryLevel = -1; if (sensorDataSet != null) { if (sensorDataSet.hasPower()) { SensorData sensorData = sensorDataSet.getPower(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasPower = true; power = sensorData.getValue(); } } if (sensorDataSet.hasCadence()) { SensorData sensorData = sensorDataSet.getCadence(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasCadence = true; cadence = sensorData.getValue(); } } if (sensorDataSet.hasHeartRate()) { SensorData sensorData = sensorDataSet.getHeartRate(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasHeartRate = true; heartRate = sensorData.getValue(); } } if (sensorDataSet.hasBatteryLevel()) { SensorData sensorData = sensorDataSet.getBatteryLevel(); if (sensorData.hasValue() && sensorData.getState() == Sensor.SensorState.SENDING) { hasBatteryLevel = true; batteryLevel = sensorData.getValue(); } } } powerList.add(power); cadenceList.add(cadence); heartRateList.add(heartRate); batteryLevelList.add(batteryLevel); } } } /** * Writes the sensor data. * * @param list a list of sensor data * @param name the name of the sensor data */ private void writeSensorData(ArrayList<Integer> list, String name) { printWriter.println("<gx:SimpleArrayData name=\"" + name + "\">"); for (int i = 0; i < list.size(); i++) { printWriter.println("<gx:value>" + list.get(i) + "</gx:value>"); } printWriter.println("</gx:SimpleArrayData>"); } /** * Writes a placemark. * * @param name the name of the placemark * @param description the description * @param styleName the style name * @param location the location */ private void writePlacemark( String name, String description, String styleName, Location location) { if (location != null) { printWriter.println("<Placemark>"); printWriter.println( "<description>" + StringUtils.formatCData(description) + "</description>"); printWriter.println("<name>" + StringUtils.formatCData(name) + "</name>"); printWriter.println("<styleUrl>#" + styleName + "</styleUrl>"); printWriter.println("<Point>"); printWriter.println( "<coordinates>" + location.getLongitude() + "," + location.getLatitude() + "," + location.getAltitude() + "</coordinates>"); printWriter.println("</Point>"); printWriter.println("</Placemark>"); } } /** * Writes the track style. */ private void writeTrackStyle() { printWriter.println("<Style id=\"" + TRACK_STYLE + "\">"); printWriter.println("<LineStyle><color>7f0000ff</color><width>4</width></LineStyle>"); printWriter.println("<IconStyle>"); printWriter.println("<scale>1.3</scale>"); printWriter.println("<Icon><href>" + TRACK_ICON + "</href></Icon>"); printWriter.println("</IconStyle>"); printWriter.println("</Style>"); } /** * Writes a placemarker style. * * @param name the name of the style * @param url the url of the style icon * @param x the x position of the hotspot * @param y the y position of the hotspot */ private void writePlacemarkerStyle(String name, String url, int x, int y) { printWriter.println("<Style id=\"" + name + "\"><IconStyle>"); printWriter.println("<scale>1.3</scale>"); printWriter.println("<Icon><href>" + url + "</href></Icon>"); printWriter.println( "<hotSpot x=\"" + x + "\" y=\"" + y + "\" xunits=\"pixels\" yunits=\"pixels\"/>"); printWriter.println("</IconStyle></Style>"); } /** * Writes a sensor style. * * @param name the name of the sesnor * @param displayName the sensor display name */ private void writeSensorStyle(String name, String displayName) { printWriter.println("<gx:SimpleArrayField name=\"" + name + "\" type=\"int\">"); printWriter.println( "<displayName>" + StringUtils.formatCData(displayName) + "</displayName>"); printWriter.println("</gx:SimpleArrayField>"); } }
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 com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.content.Intent; import android.net.Uri; import android.os.Bundle; import android.util.Log; import java.io.File; /** * Activity for saving a track to the SD card, and optionally share or play the * track. * * @author Rodrigo Damazio */ public class SaveActivity extends Activity { public static final String EXTRA_TRACK_ID = "track_id"; public static final String EXTRA_TRACK_FILE_FORMAT = "track_file_format"; public static final String EXTRA_SHARE_TRACK = "share_track"; public static final String EXTRA_PLAY_TRACK = "play_track"; public static final String GOOGLE_EARTH_KML_MIME_TYPE = "application/vnd.google-earth.kml+xml"; public static final String GOOGLE_EARTH_PACKAGE = "com.google.earth"; public static final String GOOGLE_EARTH_MARKET_URL = "market://details?id=" + GOOGLE_EARTH_PACKAGE; private static final String GOOGLE_EARTH_TOUR_FEATURE_ID = "com.google.earth.EXTRA.tour_feature_id"; private static final String GOOGLE_EARTH_CLASS = "com.google.earth.EarthActivity"; private static final String TAG = SaveActivity.class.getSimpleName(); private static final int DIALOG_PROGRESS_ID = 0; private static final int DIALOG_RESULT_ID = 1; private long trackId; private TrackFileFormat trackFileFormat; private boolean shareTrack; private boolean playTrack; private SaveAsyncTask saveAsyncTask; private ProgressDialog progressDialog; // result from the AsyncTask private boolean success; // message id from the AsyncTask private int messageId; // path of the saved file private String filePath; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Intent intent = getIntent(); trackId = intent.getLongExtra(EXTRA_TRACK_ID, -1L); if (trackId < 0) { Log.d(TAG, "Invalid track id"); finish(); return; } trackFileFormat = intent.getParcelableExtra(EXTRA_TRACK_FILE_FORMAT); shareTrack = intent.getBooleanExtra(EXTRA_SHARE_TRACK, false); playTrack = intent.getBooleanExtra(EXTRA_PLAY_TRACK, false); Object retained = getLastNonConfigurationInstance(); if (retained instanceof SaveAsyncTask) { saveAsyncTask = (SaveAsyncTask) retained; saveAsyncTask.setActivity(this); } else { TrackWriter trackWriter = TrackWriterFactory.newWriter( this, MyTracksProviderUtils.Factory.get(this), trackId, trackFileFormat); if (trackWriter == null) { Log.e(TAG, "Track writer is null"); finish(); return; } if (shareTrack || playTrack) { // Save to the temp directory String dirName = FileUtils.buildExternalDirectoryPath( trackFileFormat.getExtension(), "tmp"); trackWriter.setDirectory(new File(dirName)); } saveAsyncTask = new SaveAsyncTask(this, trackWriter); saveAsyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { saveAsyncTask.setActivity(null); return saveAsyncTask; } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_PROGRESS_ID: progressDialog = DialogUtils.createHorizontalProgressDialog( this, R.string.sd_card_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { saveAsyncTask.cancel(true); finish(); } }); return progressDialog; case DIALOG_RESULT_ID: return new AlertDialog.Builder(this) .setCancelable(true) .setIcon(success ? android.R.drawable.ic_dialog_info : android.R.drawable.ic_dialog_alert) .setMessage(messageId) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { dialog.dismiss(); onPostResultDialog(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int arg1) { dialog.dismiss(); onPostResultDialog(); } }) .setTitle(success ? R.string.generic_success_title : R.string.generic_error_title) .create(); default: return null; } } /** * Invokes when the associated AsyncTask completes. * * @param isSuccess true if the AsyncTask is successful * @param aMessageId the id of the AsyncTask message * @param aPath the path of the saved file */ public void onAsyncTaskCompleted(boolean isSuccess, int aMessageId, String aPath) { this.success = isSuccess; this.messageId = aMessageId; this.filePath = aPath; removeDialog(DIALOG_PROGRESS_ID); showDialog(DIALOG_RESULT_ID); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Sets the progress dialog value. * * @param number the number of points saved * @param max the maximum number of points */ public void setProgressDialogValue(int number, int max) { if (progressDialog != null) { progressDialog.setIndeterminate(false); progressDialog.setMax(max); progressDialog.setProgress(Math.min(number, max)); } } /** * To be invoked after showing the result dialog. */ private void onPostResultDialog() { if (success) { if (shareTrack) { Intent intent = new Intent(Intent.ACTION_SEND) .putExtra(Intent.EXTRA_STREAM, Uri.fromFile(new File(filePath))) .putExtra(Intent.EXTRA_SUBJECT, getString(R.string.share_track_subject)) .putExtra(Intent.EXTRA_TEXT, getString(R.string.share_track_file_body_format)) .putExtra(getString(R.string.track_id_broadcast_extra), trackId) .setType(trackFileFormat.getMimeType()); startActivity(Intent.createChooser(intent, getString(R.string.share_track_picker_title))); } else if (playTrack) { Intent intent = new Intent() .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK) .putExtra(GOOGLE_EARTH_TOUR_FEATURE_ID, KmlTrackWriter.TOUR_FEATURE_ID) .setClassName(GOOGLE_EARTH_PACKAGE, GOOGLE_EARTH_CLASS) .setDataAndType(Uri.fromFile(new File(filePath)), GOOGLE_EARTH_KML_MIME_TYPE); startActivity(intent); } } finish(); } }
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.io.file; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.MyTracksLocation; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.MyTracksProviderUtils.LocationIterator; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.database.Cursor; import android.location.Location; import android.util.Log; import java.io.File; import java.io.FileNotFoundException; import java.io.FileOutputStream; import java.io.OutputStream; /** * This class exports tracks to the SD card. It is intended to be format- * neutral -- it handles creating the output file and reading the track to be * exported, but requires an instance of {@link TrackFormatWriter} to actually * format the data. * * @author Sandor Dornbush * @author Rodrigo Damazio */ class TrackWriterImpl implements TrackWriter { private final Context context; private final MyTracksProviderUtils providerUtils; private final Track track; private final TrackFormatWriter writer; private boolean success = false; private int errorMessage = -1; private File directory = null; private File file = null; private OnWriteListener onWriteListener; private Thread writeThread; TrackWriterImpl(Context context, MyTracksProviderUtils providerUtils, Track track, TrackFormatWriter writer) { this.context = context; this.providerUtils = providerUtils; this.track = track; this.writer = writer; } @Override public void setOnWriteListener(OnWriteListener onWriteListener) { this.onWriteListener = onWriteListener; } @Override public void setDirectory(File directory) { this.directory = directory; } @Override public String getAbsolutePath() { return file.getAbsolutePath(); } private void writeTrackAsync() { writeThread = new Thread() { @Override public void run() { doWriteTrack(); } }; writeThread.start(); } @Override public void writeTrack() { writeTrackAsync(); try { writeThread.join(); } catch (InterruptedException e) { Log.e(Constants.TAG, "Interrupted waiting for write to complete", e); } } private void doWriteTrack() { // Open the input and output success = false; errorMessage = R.string.sd_card_error_write_file; if (track != null) { if (openFile()) { try { writeDocument(); } catch (InterruptedException e) { Log.i(Constants.TAG, "The track write was interrupted"); if (file != null) { if (!file.delete()) { Log.w(TAG, "Failed to delete file " + file.getAbsolutePath()); } } success = false; errorMessage = R.string.sd_card_canceled; } } } } public void stopWriteTrack() { if (writeThread != null && writeThread.isAlive()) { Log.i(Constants.TAG, "Attempting to stop track write"); writeThread.interrupt(); try { writeThread.join(); Log.i(Constants.TAG, "Track write stopped"); } catch (InterruptedException e) { Log.e(Constants.TAG, "Failed to wait for writer to stop", e); } } } @Override public int getErrorMessage() { return errorMessage; } @Override public boolean wasSuccess() { return success; } /* * Helper methods: * =============== */ /** * Runs the given runnable in the UI thread. */ protected void runOnUiThread(Runnable runnable) { if (context instanceof Activity) { ((Activity) context).runOnUiThread(runnable); } } /** * Opens the file and prepares the format writer for it. * * @return true on success, false otherwise (and errorMessage is set) */ protected boolean openFile() { if (!canWriteFile()) { return false; } // Make sure the file doesn't exist yet (possibly by changing the filename) String fileName = FileUtils.buildUniqueFileName( directory, track.getName(), writer.getExtension()); if (fileName == null) { Log.e(Constants.TAG, "Unable to get a unique filename for " + track.getName()); return false; } Log.i(Constants.TAG, "Writing track to: " + fileName); try { writer.prepare(track, newOutputStream(fileName)); } catch (FileNotFoundException e) { Log.e(Constants.TAG, "Failed to open output file.", e); errorMessage = R.string.sd_card_error_write_file; return false; } return true; } /** * Checks and returns whether we're ready to create the output file. */ protected boolean canWriteFile() { if (directory == null) { String dirName = FileUtils.buildExternalDirectoryPath(writer.getExtension()); directory = newFile(dirName); } if (!FileUtils.isSdCardAvailable()) { Log.i(Constants.TAG, "Could not find SD card."); errorMessage = R.string.sd_card_error_no_storage; return false; } if (!FileUtils.ensureDirectoryExists(directory)) { Log.i(Constants.TAG, "Could not create export directory."); errorMessage = R.string.sd_card_error_create_dir; return false; } return true; } /** * Creates a new output stream to write to the given filename. * * @throws FileNotFoundException if the file could't be created */ protected OutputStream newOutputStream(String fileName) throws FileNotFoundException { file = new File(directory, fileName); return new FileOutputStream(file); } /** * Creates a new file object for the given path. */ protected File newFile(String path) { return new File(path); } /** * Writes the waypoints for the given track. * * @param trackId the ID of the track to write waypoints for */ private void writeWaypoints(long trackId) { // TODO: Stream through he waypoints in chunks. // I am leaving the number of waypoints very high which should not be a // problem because we don't try to load them into objects all at the // same time. Cursor cursor = null; cursor = providerUtils.getWaypointsCursor(trackId, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS); boolean hasWaypoints = false; if (cursor != null) { try { if (cursor.moveToFirst()) { // Yes, this will skip the 1st way point and that is intentional // as the 1st points holds the stats for the current/last segment. while (cursor.moveToNext()) { if (!hasWaypoints) { writer.writeBeginWaypoints(); hasWaypoints = true; } Waypoint wpt = providerUtils.createWaypoint(cursor); writer.writeWaypoint(wpt); } } } finally { cursor.close(); } } if (hasWaypoints) { writer.writeEndWaypoints(); } } /** * Does the actual work of writing the track to the now open file. */ void writeDocument() throws InterruptedException { Log.d(Constants.TAG, "Started writing track."); writer.writeHeader(); writeWaypoints(track.getId()); writeLocations(); writer.writeFooter(); writer.close(); success = true; Log.d(Constants.TAG, "Done writing track."); errorMessage = R.string.sd_card_success_write_file; } private void writeLocations() throws InterruptedException { boolean wroteFirst = false; boolean segmentOpen = false; boolean isLastValid = false; class TrackWriterLocationFactory implements MyTracksProviderUtils.LocationFactory { Location currentLocation; Location lastLocation; @Override public Location createLocation() { if (currentLocation == null) { currentLocation = new MyTracksLocation(""); } return currentLocation; } public void swapLocations() { Location tmpLoc = lastLocation; lastLocation = currentLocation; currentLocation = tmpLoc; if (currentLocation != null) { currentLocation.reset(); } } }; TrackWriterLocationFactory locationFactory = new TrackWriterLocationFactory(); LocationIterator it = providerUtils.getLocationIterator(track.getId(), 0, false, locationFactory); try { if (!it.hasNext()) { Log.w(Constants.TAG, "Unable to get any points to write"); return; } int pointNumber = 0; while (it.hasNext()) { Location loc = it.next(); if (Thread.interrupted()) { throw new InterruptedException(); } pointNumber++; boolean isValid = LocationUtils.isValidLocation(loc); boolean validSegment = isValid && isLastValid; if (!wroteFirst && validSegment) { // Found the first two consecutive points which are valid writer.writeBeginTrack(locationFactory.lastLocation); wroteFirst = true; } if (validSegment) { if (!segmentOpen) { // Start a segment for this point writer.writeOpenSegment(); segmentOpen = true; // Write the previous point, which we had previously skipped writer.writeLocation(locationFactory.lastLocation); } // Write the current point writer.writeLocation(loc); if (onWriteListener != null) { onWriteListener.onWrite(pointNumber, track.getNumberOfPoints()); } } else { if (segmentOpen) { writer.writeCloseSegment(); segmentOpen = false; } } locationFactory.swapLocations(); isLastValid = isValid; } if (segmentOpen) { writer.writeCloseSegment(); segmentOpen = false; } if (wroteFirst) { writer.writeEndTrack(locationFactory.lastLocation); } } finally { it.close(); } } }
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; /** * Implementations of this class export tracks to the SD card. This class is * intended to be format-neutral - it handles creating the output file and * reading the track to be exported, but requires an instance of * {@link TrackFormatWriter} to actually format the data. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public interface TrackWriter { /** This listener is used to signal track writes. */ public interface OnWriteListener { /** * This method is invoked whenever a location within a track is written. * @param number the location number * @param max the maximum number of locations, for calculation of * completion percentage */ public void onWrite(int number, int max); } /** * Sets a listener to be invoked for each location writer. */ void setOnWriteListener(OnWriteListener onWriteListener); /** * Sets a custom directory where the file will be written. */ void setDirectory(File directory); /** * Returns the absolute path to the file which was created. */ String getAbsolutePath(); /** * Writes the given track id to the SD card. * This is blocking. */ void writeTrack(); /** * Stop any in-progress writes */ void stopWriteTrack(); /** * Returns true if the write completed successfully. */ boolean wasSuccess(); /** * Returns the error message (if any) generated by a writer failure. */ int getErrorMessage(); }
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.os.AsyncTask; /** * The abstract class for AsyncTasks sending a track to Google. * * @author Jimmy Shih */ public abstract class AbstractSendAsyncTask extends AsyncTask<Void, Integer, Boolean> { /** * The activity associated with this AsyncTask. */ private AbstractSendActivity activity; /** * True if the AsyncTask result is success. */ private boolean success; /** * True if the AsyncTask has completed. */ private boolean completed; /** * True if can retry the AsyncTask. */ private boolean canRetry; /** * Creates an AsyncTask. * * @param activity the activity currently associated with this AsyncTask */ public AbstractSendAsyncTask(AbstractSendActivity activity) { this.activity = activity; success = false; completed = false; canRetry = true; } /** * Sets the current activity associated with this AyncTask. * * @param activity the current activity, can be null */ public void setActivity(AbstractSendActivity activity) { this.activity = activity; if (completed && activity != null) { activity.onAsyncTaskCompleted(success); } } @Override protected void onPreExecute() { activity.showProgressDialog(); } @Override protected Boolean doInBackground(Void... params) { try { return performTask(); } finally { closeConnection(); if (success) { saveResult(); } } } @Override protected void onProgressUpdate(Integer... values) { if (activity != null) { activity.setProgressDialogValue(values[0]); } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (activity != null) { activity.onAsyncTaskCompleted(success); } } /** * Retries the task. First, invalidates the auth token. If can retry, invokes * {@link #performTask()}. Returns false if cannot retry. * * @return the result of the retry. */ protected boolean retryTask() { if (isCancelled()) { return false; } invalidateToken(); if (canRetry) { canRetry = false; return performTask(); } return false; } /** * Closes any AsyncTask connection. */ protected abstract void closeConnection(); /** * Saves any AsyncTask result. */ protected abstract void saveResult(); /** * Performs the AsyncTask. * * @return true if success */ protected abstract boolean performTask(); /** * Invalidates the auth token. */ protected abstract void invalidateToken(); }
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.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.common.annotations.VisibleForTesting; import android.location.Location; import android.util.Log; import java.util.ArrayList; import java.util.List; /** * Commons utilities for sending a track to Google. * * @author Jimmy Shih */ public class SendToGoogleUtils { private static final String TAG = SendToGoogleUtils.class.getSimpleName(); private SendToGoogleUtils() {} /** * Prepares a list of locations to send to Google Maps or Google Fusion * Tables. Splits the locations into segments if necessary. * * @param track the track * @param locations the list of locations * @return an array of split segments. */ public static ArrayList<Track> prepareLocations(Track track, List<Location> locations) { ArrayList<Track> splitTracks = new ArrayList<Track>(); // Create a new segment Track segment = new Track(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(""); segment.setCategory(track.getCategory()); TripStatistics segmentStats = segment.getStatistics(); TripStatistics trackStats = track.getStatistics(); segmentStats.setStartTime(trackStats.getStartTime()); segmentStats.setStopTime(trackStats.getStopTime()); boolean startNewTrackSegment = false; for (Location loc : locations) { // Latitude is greater than 90 if the location is invalid. Do not add to // the segment. if (loc.getLatitude() > 90) { startNewTrackSegment = true; } if (startNewTrackSegment) { // Close the last segment prepareTrackSegment(segment, splitTracks); startNewTrackSegment = false; segment = new Track(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(""); segment.setCategory(track.getCategory()); segmentStats = segment.getStatistics(); } if (loc.getLatitude() <= 90) { segment.addLocation(loc); // For a new segment, sets its start time using the first available // location time. if (segmentStats.getStartTime() < 0) { segmentStats.setStartTime(loc.getTime()); } } } prepareTrackSegment(segment, splitTracks); return splitTracks; } /** * Prepares a track segment for sending to Google Maps or Google Fusion * Tables. The main steps are: * <ul> * <li>make sure the segment has at least 2 points</li> * <li>set the segment stop time if necessary</li> * <li>decimate locations precision</li> * </ul> * The prepared track will be added to the splitTracks. * * @param segment the track segment * @param splitTracks an array of track segments */ @VisibleForTesting static boolean prepareTrackSegment(Track segment, ArrayList<Track> splitTracks) { // Make sure the segment has at least 2 points if (segment.getLocations().size() < 2) { Log.d(TAG, "segment has less than 2 points"); return false; } // For a new segment, sets it stop time TripStatistics segmentStats = segment.getStatistics(); if (segmentStats.getStopTime() < 0) { Location lastLocation = segment.getLocations().get(segment.getLocations().size() - 1); segmentStats.setStopTime(lastLocation.getTime()); } // Decimate to 2 meter precision. Google Maps and Google Fusion Tables do // not like the locations to be too precise. LocationUtils.decimate(segment, 2.0); splitTracks.add(segment); return true; } }
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; /** * Send request states for sending a track to Google Maps, Google Fusion Tables, * and Google Docs. * * @author Jimmy Shih */ public class SendRequest implements Parcelable { public static final String SEND_REQUEST_KEY = "sendRequest"; private long trackId = -1L; private boolean showMaps = false; private boolean showFusionTables = false; private boolean showDocs = false; private boolean sendMaps = false; private boolean sendFusionTables = false; private boolean sendDocs = false; private boolean newMap = false; private Account account = null; private String mapId = null; private boolean mapsSuccess = false; private boolean docsSuccess = false; private boolean fusionTablesSuccess = false; /** * Creates a new send request. * * @param trackId the track id * @param showMaps true to show the Google Maps option * @param showFusionTables true to show the Google Fusion Tables option * @param showDocs true to show the Google Docs option */ public SendRequest(long trackId, boolean showMaps, boolean showFusionTables, boolean showDocs) { this.trackId = trackId; this.showMaps = showMaps; this.showFusionTables = showFusionTables; this.showDocs = showDocs; } /** * Get the track id. */ public long getTrackId() { return trackId; } /** * True if showing the send to Google Maps option. */ public boolean isShowMaps() { return showMaps; } /** * True if showing the send to Google Fusion Tables option. */ public boolean isShowFusionTables() { return showFusionTables; } /** * True if showing the send to Google Docs option. */ public boolean isShowDocs() { return showDocs; } /** * True if showing all the send options. */ public boolean isShowAll() { return showMaps && showFusionTables && showDocs; } /** * True if the user has selected the send to Google Maps option. */ public boolean isSendMaps() { return sendMaps; } /** * Sets the send to Google Maps option. * * @param sendMaps true if the user has selected the send to Google Maps * option */ public void setSendMaps(boolean sendMaps) { this.sendMaps = sendMaps; } /** * True if the user has selected the send to Google Fusion Tables option. */ public boolean isSendFusionTables() { return sendFusionTables; } /** * Sets the send to Google Fusion Tables option. * * @param sendFusionTables true if the user has selected the send to Google * Fusion Tables option */ public void setSendFusionTables(boolean sendFusionTables) { this.sendFusionTables = sendFusionTables; } /** * True if the user has selected the send to Google Docs option. */ public boolean isSendDocs() { return sendDocs; } /** * Sets the send to Google Docs option. * * @param sendDocs true if the user has selected the send to Google Docs * option */ public void setSendDocs(boolean sendDocs) { this.sendDocs = sendDocs; } /** * True if the user has selected to create a new Google Maps. */ public boolean isNewMap() { return newMap; } /** * Sets the new map option. * * @param newMap true if the user has selected to create a new Google Maps. */ public void setNewMap(boolean newMap) { this.newMap = newMap; } /** * Gets the account. */ public Account getAccount() { return account; } /** * Sets the account. * * @param account the account */ public void setAccount(Account account) { this.account = account; } /** * Gets the selected map id if the user has selected to send a track to an * existing Google Maps. */ public String getMapId() { return mapId; } /** * Sets the map id. * * @param mapId the map id */ public void setMapId(String mapId) { this.mapId = mapId; } /** * True if sending to Google Maps is success. */ public boolean isMapsSuccess() { return mapsSuccess; } /** * Sets the Google Maps result. * * @param mapsSuccess true if sending to Google Maps is success */ public void setMapsSuccess(boolean mapsSuccess) { this.mapsSuccess = mapsSuccess; } /** * True if sending to Google Fusion Tables is success. */ public boolean isFusionTablesSuccess() { return fusionTablesSuccess; } /** * Sets the Google Fusion Tables result. * * @param fusionTablesSuccess true if sending to Google Fusion Tables is * success */ public void setFusionTablesSuccess(boolean fusionTablesSuccess) { this.fusionTablesSuccess = fusionTablesSuccess; } /** * True if sending to Google Docs is success. */ public boolean isDocsSuccess() { return docsSuccess; } /** * Sets the Google Docs result. * * @param docsSuccess true if sending to Google Docs is success */ public void setDocsSuccess(boolean docsSuccess) { this.docsSuccess = docsSuccess; } private SendRequest(Parcel in) { trackId = in.readLong(); showMaps = in.readByte() == 1; showFusionTables = in.readByte() == 1; showDocs = in.readByte() == 1; sendMaps = in.readByte() == 1; sendFusionTables = in.readByte() == 1; sendDocs = in.readByte() == 1; newMap = in.readByte() == 1; account = in.readParcelable(null); mapId = in.readString(); mapsSuccess = in.readByte() == 1; fusionTablesSuccess = in.readByte() == 1; docsSuccess = in.readByte() == 1; } @Override public int describeContents() { return 0; } @Override public void writeToParcel(Parcel out, int flags) { out.writeLong(trackId); out.writeByte((byte) (showMaps ? 1 : 0)); out.writeByte((byte) (showFusionTables ? 1 : 0)); out.writeByte((byte) (showDocs ? 1 : 0)); out.writeByte((byte) (sendMaps ? 1 : 0)); out.writeByte((byte) (sendFusionTables ? 1 : 0)); out.writeByte((byte) (sendDocs ? 1 : 0)); out.writeByte((byte) (newMap ? 1 : 0)); out.writeParcelable(account, 0); out.writeString(mapId); out.writeByte((byte) (mapsSuccess ? 1 : 0)); out.writeByte((byte) (fusionTablesSuccess ? 1 : 0)); out.writeByte((byte) (docsSuccess ? 1 : 0)); } public static final Parcelable.Creator<SendRequest> CREATOR = new Parcelable.Creator< SendRequest>() { public SendRequest createFromParcel(Parcel in) { return new SendRequest(in); } public SendRequest[] newArray(int size) { return new SendRequest[size]; } }; }
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.util.DialogUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.os.Bundle; /** * The abstract class for activities sending a track to Google. * <p> * The activity gets recreated when the screen rotates. To support the activity * displaying a progress dialog, we do the following: * <ul> * <li>use one instance of an AyncTask to send the track</li> * <li>save that instance as the last non configuration instance of the activity * </li> * <li>when a new activity is created, pass the activity to the AsyncTask so * that the AsyncTask can update the progress dialog of the activity</li> * </ul> * * @author Jimmy Shih */ public abstract class AbstractSendActivity extends Activity { private static final int DIALOG_PROGRESS_ID = 0; protected SendRequest sendRequest; private AbstractSendAsyncTask asyncTask; private ProgressDialog progressDialog; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); Object retained = getLastNonConfigurationInstance(); if (retained instanceof AbstractSendAsyncTask) { asyncTask = (AbstractSendAsyncTask) retained; asyncTask.setActivity(this); } else { asyncTask = createAsyncTask(); asyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { asyncTask.setActivity(null); return asyncTask; } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_PROGRESS_ID) { return null; } progressDialog = DialogUtils.createHorizontalProgressDialog( this, R.string.send_google_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { asyncTask.cancel(true); startNextActivity(false, true); } }, getServiceName()); return progressDialog; } /** * Invokes when the associated AsyncTask completes. * * @param success true if the AsyncTask is successful */ public void onAsyncTaskCompleted(boolean success) { startNextActivity(success, false); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Sets the progress dialog value. * * @param value the dialog value */ public void setProgressDialogValue(int value) { if (progressDialog != null) { progressDialog.setIndeterminate(false); progressDialog.setProgress(value); progressDialog.setMax(100); } } /** * Creates the AsyncTask. */ protected abstract AbstractSendAsyncTask createAsyncTask(); /** * Gets the service name. */ protected abstract String getServiceName(); /** * Starts the next activity. * * @param success true if this activity is successful * @param isCancel true if it is a cancel request */ protected abstract void startNextActivity(boolean success, boolean isCancel); }
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.apps.mytracks.io.docs.SendDocsActivity; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesActivity; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesUtils; import com.google.android.apps.mytracks.io.gdata.docs.DocumentsClient; import com.google.android.apps.mytracks.io.gdata.docs.SpreadsheetsClient; import com.google.android.apps.mytracks.io.gdata.maps.MapsConstants; import com.google.android.apps.mytracks.io.maps.ChooseMapActivity; import com.google.android.apps.mytracks.io.maps.SendMapsActivity; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AccountManagerCallback; import android.accounts.AccountManagerFuture; import android.accounts.AuthenticatorException; import android.accounts.OperationCanceledException; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.util.Log; import java.io.IOException; /** * A chooser to select an account. * * @author Jimmy Shih */ public class AccountChooserActivity extends Activity { private static final String TAG = AccountChooserActivity.class.getSimpleName(); private static final int DIALOG_NO_ACCOUNT_ID = 0; private static final int DIALOG_CHOOSER_ID = 1; /** * A callback after getting the permission to access a Google service. * * @author Jimmy Shih */ private interface PermissionCallback { /** * To be invoked when the permission is granted. */ public void onSuccess(); /** * To be invoked when the permission is not granted. */ public void onFailure(); } private SendRequest sendRequest; private Account[] accounts; private int selectedAccountIndex; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); accounts = AccountManager.get(this).getAccountsByType(Constants.ACCOUNT_TYPE); if (accounts.length == 1) { sendRequest.setAccount(accounts[0]); getPermission(MapsConstants.SERVICE_NAME, sendRequest.isSendMaps(), mapsCallback); return; } SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); String preferredAccount = prefs.getString(getString(R.string.preferred_account_key), ""); selectedAccountIndex = 0; for (int i = 0; i < accounts.length; i++) { if (accounts[i].name.equals(preferredAccount)) { selectedAccountIndex = i; break; } } } @Override protected void onResume() { super.onResume(); if (accounts.length == 0) { showDialog(DIALOG_NO_ACCOUNT_ID); } else if (accounts.length > 1 ) { showDialog(DIALOG_CHOOSER_ID); } } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_NO_ACCOUNT_ID: return new AlertDialog.Builder(this) .setCancelable(true) .setMessage(R.string.send_google_no_account_message) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { finish(); } }) .setTitle(R.string.send_google_no_account_title) .create(); case DIALOG_CHOOSER_ID: return createChooserDialog(); default: return null; } } /** * Creates a chooser dialog. */ private Dialog createChooserDialog() { String[] choices = new String[accounts.length]; for (int i = 0; i < accounts.length; i++) { choices[i] = accounts[i].name; } return new AlertDialog.Builder(this) .setCancelable(true) .setNegativeButton(R.string.generic_cancel, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { finish(); } }) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { Account account = accounts[selectedAccountIndex]; SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = sharedPreferences.edit(); editor.putString(getString(R.string.preferred_account_key), account.name); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); sendRequest.setAccount(account); getPermission(MapsConstants.SERVICE_NAME, sendRequest.isSendMaps(), mapsCallback); } }) .setSingleChoiceItems( choices, selectedAccountIndex, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { selectedAccountIndex = which; } }) .setTitle(R.string.send_google_choose_account_title) .create(); } private PermissionCallback spreadsheetsCallback = new PermissionCallback() { @Override public void onSuccess() { startNextActivity(); } @Override public void onFailure() { finish(); } }; private PermissionCallback docsCallback = new PermissionCallback() { @Override public void onSuccess() { getPermission(SpreadsheetsClient.SERVICE, sendRequest.isSendDocs(), spreadsheetsCallback); } @Override public void onFailure() { finish(); } }; private PermissionCallback fusionTablesCallback = new PermissionCallback() { @Override public void onSuccess() { getPermission(DocumentsClient.SERVICE, sendRequest.isSendDocs(), docsCallback); } @Override public void onFailure() { finish(); } }; private PermissionCallback mapsCallback = new PermissionCallback() { @Override public void onSuccess() { getPermission( SendFusionTablesUtils.SERVICE, sendRequest.isSendFusionTables(), fusionTablesCallback); } @Override public void onFailure() { finish(); } }; /** * Gets the user permission to access a service. * * @param authTokenType the auth token type of the service * @param needPermission true if need the permission * @param callback callback after getting the permission */ private void getPermission( String authTokenType, boolean needPermission, final PermissionCallback callback) { if (needPermission) { AccountManager.get(this).getAuthToken(sendRequest.getAccount(), authTokenType, null, this, new AccountManagerCallback<Bundle>() { @Override public void run(AccountManagerFuture<Bundle> future) { try { if (future.getResult().getString(AccountManager.KEY_AUTHTOKEN) != null) { callback.onSuccess(); } else { Log.d(TAG, "auth token is null"); callback.onFailure(); } } catch (OperationCanceledException e) { Log.d(TAG, "Unable to get auth token", e); callback.onFailure(); } catch (AuthenticatorException e) { Log.d(TAG, "Unable to get auth token", e); callback.onFailure(); } catch (IOException e) { Log.d(TAG, "Unable to get auth token", e); callback.onFailure(); } } }, null); } else { callback.onSuccess(); } } /** * Starts the next activity. If * <p> * sendMaps and newMap -> {@link SendMapsActivity} * <p> * sendMaps and !newMap -> {@link ChooseMapActivity} * <p> * !sendMaps && sendFusionTables -> {@link SendFusionTablesActivity} * <p> * !sendMaps && !sendFusionTables && sendDocs -> {@link SendDocsActivity} * <p> * !sendMaps && !sendFusionTables && !sendDocs -> {@link UploadResultActivity} * */ private void startNextActivity() { Class<?> next; if (sendRequest.isSendMaps()) { next = sendRequest.isNewMap() ? SendMapsActivity.class : ChooseMapActivity.class; } else if (sendRequest.isSendFusionTables()) { next = SendFusionTablesActivity.class; } else if (sendRequest.isSendDocs()) { next = SendDocsActivity.class; } else { next = UploadResultActivity.class; } Intent intent = new Intent(this, next) .putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } }
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.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesUtils; import com.google.android.apps.mytracks.io.maps.SendMapsUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.os.Bundle; import android.view.View; import android.widget.ImageView; import android.widget.LinearLayout; import android.widget.TextView; /** * A dialog to show the result of uploading to Google services. * * @author Jimmy Shih */ public class UploadResultActivity extends Activity { private static final String TEXT_PLAIN_TYPE = "text/plain"; private static final int DIALOG_RESULT_ID = 0; private SendRequest sendRequest; private Track track; private String shareUrl; private Dialog dialog; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); track = null; shareUrl = null; if (sendRequest.isSendMaps() && sendRequest.isMapsSuccess()) { shareUrl = SendMapsUtils.getMapUrl(getTrack()); } if (shareUrl == null && sendRequest.isSendFusionTables() && sendRequest.isFusionTablesSuccess()) { shareUrl = SendFusionTablesUtils.getMapUrl(getTrack()); } } private Track getTrack() { if (track == null) { track = MyTracksProviderUtils.Factory.get(this).getTrack(sendRequest.getTrackId()); } return track; } @Override protected void onResume() { super.onResume(); showDialog(DIALOG_RESULT_ID); } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_RESULT_ID) { return null; } View view = getLayoutInflater().inflate(R.layout.upload_result, null); LinearLayout mapsResult = (LinearLayout) view.findViewById(R.id.upload_result_maps_result); LinearLayout fusionTablesResult = (LinearLayout) view.findViewById( R.id.upload_result_fusion_tables_result); LinearLayout docsResult = (LinearLayout) view.findViewById(R.id.upload_result_docs_result); ImageView mapsResultIcon = (ImageView) view.findViewById(R.id.upload_result_maps_result_icon); ImageView fusionTablesResultIcon = (ImageView) view.findViewById( R.id.upload_result_fusion_tables_result_icon); ImageView docsResultIcon = (ImageView) view.findViewById(R.id.upload_result_docs_result_icon); TextView successFooter = (TextView) view.findViewById(R.id.upload_result_success_footer); TextView errorFooter = (TextView) view.findViewById(R.id.upload_result_error_footer); boolean hasError = false; if (!sendRequest.isSendMaps()) { mapsResult.setVisibility(View.GONE); } else { if (!sendRequest.isMapsSuccess()) { mapsResultIcon.setImageResource(R.drawable.failure); mapsResultIcon.setContentDescription(getString(R.string.generic_error_title)); hasError = true; } } if (!sendRequest.isSendFusionTables()) { fusionTablesResult.setVisibility(View.GONE); } else { if (!sendRequest.isFusionTablesSuccess()) { fusionTablesResultIcon.setImageResource(R.drawable.failure); fusionTablesResultIcon.setContentDescription(getString(R.string.generic_error_title)); hasError = true; } } if (!sendRequest.isSendDocs()) { docsResult.setVisibility(View.GONE); } else { if (!sendRequest.isDocsSuccess()) { docsResultIcon.setImageResource(R.drawable.failure); docsResultIcon.setContentDescription(getString(R.string.generic_error_title)); hasError = true; } } if (hasError) { successFooter.setVisibility(View.GONE); } else { errorFooter.setVisibility(View.GONE); } AlertDialog.Builder builder = new AlertDialog.Builder(this) .setCancelable(true) .setIcon(hasError ? android.R.drawable.ic_dialog_alert : android.R.drawable.ic_dialog_info) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (!sendRequest.isShowAll() && shareUrl != null) { startShareUrlActivity(shareUrl); } finish(); } }) .setTitle(hasError ? R.string.generic_error_title : R.string.generic_success_title) .setView(view); // Add a Share URL button if showing all the options and a shareUrl exists if (sendRequest.isShowAll() && shareUrl != null) { builder.setNegativeButton( R.string.send_google_result_share_url, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { startShareUrlActivity(shareUrl); finish(); } }); } dialog = builder.create(); return dialog; } /** * Starts an activity to share the url. * * @param url the url */ private void startShareUrlActivity(String url) { SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean shareUrlOnly = prefs.getBoolean(getString(R.string.share_url_only_key), false); Intent intent = new Intent(Intent.ACTION_SEND); intent.setType(TEXT_PLAIN_TYPE); intent.putExtra(Intent.EXTRA_SUBJECT, getString(R.string.share_track_subject)); intent.putExtra(Intent.EXTRA_TEXT, shareUrlOnly ? url : getString(R.string.share_track_url_body_format, url)); startActivity(Intent.createChooser(intent, getString(R.string.share_track_picker_title))); } @VisibleForTesting Dialog getDialog() { return dialog; } }
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.apps.mytracks.util.AnalyticsUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.view.View; import android.widget.CheckBox; import android.widget.CompoundButton; import android.widget.CompoundButton.OnCheckedChangeListener; import android.widget.RadioButton; import android.widget.TableRow; import android.widget.Toast; import java.util.ArrayList; /** * A chooser to select the Google services to upload a track to. * * @author Jimmy Shih */ public class UploadServiceChooserActivity extends Activity { private static final int DIALOG_CHOOSER_ID = 0; private SendRequest sendRequest; private AlertDialog alertDialog; private TableRow mapsTableRow; private TableRow fusionTablesTableRow; private TableRow docsTableRow; private CheckBox mapsCheckBox; private CheckBox fusionTablesCheckBox; private CheckBox docsCheckBox; private TableRow mapsOptionTableRow; private RadioButton newMapRadioButton; private RadioButton existingMapRadioButton; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); } @Override protected void onResume() { super.onResume(); showDialog(DIALOG_CHOOSER_ID); } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_CHOOSER_ID) { return null; } View view = getLayoutInflater().inflate(R.layout.upload_service_chooser, null); mapsTableRow = (TableRow) view.findViewById(R.id.send_google_maps_row); fusionTablesTableRow = (TableRow) view.findViewById(R.id.send_google_fusion_tables_row); docsTableRow = (TableRow) view.findViewById(R.id.send_google_docs_row); mapsCheckBox = (CheckBox) view.findViewById(R.id.send_google_maps); fusionTablesCheckBox = (CheckBox) view.findViewById(R.id.send_google_fusion_tables); docsCheckBox = (CheckBox) view.findViewById(R.id.send_google_docs); mapsOptionTableRow = (TableRow) view.findViewById(R.id.send_google_maps_option_row); newMapRadioButton = (RadioButton) view.findViewById(R.id.send_google_new_map); existingMapRadioButton = (RadioButton) view.findViewById(R.id.send_google_existing_map); // Setup checkboxes OnCheckedChangeListener checkBoxListener = new OnCheckedChangeListener() { public void onCheckedChanged(CompoundButton button, boolean checked) { updateStateBySelection(); } }; mapsCheckBox.setOnCheckedChangeListener(checkBoxListener); fusionTablesCheckBox.setOnCheckedChangeListener(checkBoxListener); docsCheckBox.setOnCheckedChangeListener(checkBoxListener); // Setup initial state initState(); // Update state based on sendRequest updateStateBySendRequest(); // Update state based on current selection updateStateBySelection(); alertDialog = new AlertDialog.Builder(this) .setCancelable(true) .setNegativeButton(R.string.generic_cancel, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { finish(); } }) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface d) { finish(); } }) .setPositiveButton(R.string.send_google_send_now, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { saveState(); if (sendMaps() || sendFusionTables() || sendDocs()) { startNextActivity(); } else { Toast.makeText(UploadServiceChooserActivity.this, R.string.send_google_no_service_selected, Toast.LENGTH_LONG).show(); finish(); } } }) .setTitle(R.string.send_google_title) .setView(view) .create(); return alertDialog; } /** * Initializes the UI state based on the shared preferences. */ @VisibleForTesting void initState() { SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean pickExistingMap = prefs.getBoolean(getString(R.string.pick_existing_map_key), false); newMapRadioButton.setChecked(!pickExistingMap); existingMapRadioButton.setChecked(pickExistingMap); mapsCheckBox.setChecked(prefs.getBoolean(getString(R.string.send_to_maps_key), true)); fusionTablesCheckBox.setChecked( prefs.getBoolean(getString(R.string.send_to_fusion_tables_key), true)); docsCheckBox.setChecked(prefs.getBoolean(getString(R.string.send_to_docs_key), true)); } /** * Updates the UI state based on sendRequest. */ private void updateStateBySendRequest() { if (!sendRequest.isShowAll()) { if (sendRequest.isShowMaps()) { mapsCheckBox.setChecked(true); } else if (sendRequest.isShowFusionTables()) { fusionTablesCheckBox.setChecked(true); } else if (sendRequest.isShowDocs()) { docsCheckBox.setChecked(true); } } mapsTableRow.setVisibility(sendRequest.isShowMaps() ? View.VISIBLE : View.GONE); fusionTablesTableRow.setVisibility(sendRequest.isShowFusionTables() ? View.VISIBLE : View.GONE); docsTableRow.setVisibility(sendRequest.isShowDocs() ? View.VISIBLE : View.GONE); } /** * Updates the UI state based on the current selection. */ private void updateStateBySelection() { mapsOptionTableRow.setVisibility(sendMaps() ? View.VISIBLE : View.GONE); } /** * Saves the UI state to the shared preferences. */ @VisibleForTesting void saveState() { SharedPreferences prefs = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); Editor editor = prefs.edit(); editor.putBoolean( getString(R.string.pick_existing_map_key), existingMapRadioButton.isChecked()); if (sendRequest.isShowAll()) { editor.putBoolean(getString(R.string.send_to_maps_key), sendMaps()); editor.putBoolean(getString(R.string.send_to_fusion_tables_key), sendFusionTables()); editor.putBoolean(getString(R.string.send_to_docs_key), sendDocs()); } ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } /** * Returns true to send to Google Maps. */ private boolean sendMaps() { return sendRequest.isShowMaps() && mapsCheckBox.isChecked(); } /** * Returns true to send to Google Fusion Tables. */ private boolean sendFusionTables() { return sendRequest.isShowFusionTables() && fusionTablesCheckBox.isChecked(); } /** * Returns true to send to Google Docs. */ private boolean sendDocs() { return sendRequest.isShowDocs() && docsCheckBox.isChecked(); } /** * Starts the next activity, {@link AccountChooserActivity}. */ @VisibleForTesting protected void startNextActivity() { sendStats(); sendRequest.setSendMaps(sendMaps()); sendRequest.setSendFusionTables(sendFusionTables()); sendRequest.setSendDocs(sendDocs()); sendRequest.setNewMap(!existingMapRadioButton.isChecked()); Intent intent = new Intent(this, AccountChooserActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } /** * Sends stats to Google Analytics. */ private void sendStats() { ArrayList<String> pages = new ArrayList<String>(); if (sendRequest.isSendMaps()) { pages.add("/send/maps"); } if (sendRequest.isSendFusionTables()) { pages.add("/send/fusion_tables"); } if (sendRequest.isSendDocs()) { pages.add("/send/docs"); } AnalyticsUtils.sendPageViews(this, pages.toArray(new String[pages.size()])); } @VisibleForTesting AlertDialog getAlertDialog() { return alertDialog; } @VisibleForTesting SendRequest getSendRequest() { return sendRequest; } }
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.gdata; import com.google.android.apps.mytracks.Constants; import com.google.wireless.gdata.client.GDataClient; import android.content.Context; import android.util.Log; /** * This factory will fetch the right class for the platform. * * @author Sandor Dornbush */ public class GDataClientFactory { private GDataClientFactory() { } /** * Creates a new GData client. * This factory will fetch the right class for the platform. * @return A GDataClient appropriate for this platform */ public static GDataClient getGDataClient(Context context) { // TODO This should be moved into ApiAdapter try { // Try to use the official unbundled gdata client implementation. // This should work on Froyo and beyond. return new com.google.android.common.gdata.AndroidGDataClient(context); } catch (LinkageError e) { // On all other platforms use the client implementation packaged in the // apk. Log.i(Constants.TAG, "Using mytracks AndroidGDataClient.", e); return new com.google.android.apps.mytracks.io.gdata.AndroidGDataClient(); } } }
Java
/* * Copyright 2007 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.gdata.docs; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.client.GDataServiceClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.StringUtils; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.serializer.GDataSerializer; import com.google.wireless.gdata2.client.AuthenticationException; import java.io.IOException; import java.io.InputStream; /** * GDataServiceClient for accessing Google Spreadsheets. This client can access * and parse all of the Spreadsheets feed types: Spreadsheets feed, Worksheets * feed, List feed, and Cells feed. Read operations are supported on all feed * types, but only the List and Cells feeds support write operations. (This is a * limitation of the protocol, not this API. Such write access may be added to * the protocol in the future, requiring changes to this implementation.) * * Only 'private' visibility and 'full' projections are currently supported. */ public class SpreadsheetsClient extends GDataServiceClient { /** The name of the service, dictated to be 'wise' by the protocol. */ public static final String SERVICE = "wise"; /** Standard base feed url for spreadsheets. */ public static final String SPREADSHEETS_BASE_FEED_URL = "http://spreadsheets.google.com/feeds/spreadsheets/private/full"; /** * Represents an entry in a GData Spreadsheets meta-feed. */ public static class SpreadsheetEntry extends Entry { } /** * Represents an entry in a GData Worksheets meta-feed. */ public static class WorksheetEntry extends Entry { } /** * Creates a new SpreadsheetsClient. Uses the standard base URL for * spreadsheets feeds. * * @param client The GDataClient that should be used to authenticate requests, * retrieve feeds, etc */ public SpreadsheetsClient(GDataClient client, GDataParserFactory spreadsheetFactory) { super(client, spreadsheetFactory); } @Override public String getServiceName() { return SERVICE; } /** * Returns a parser for the specified feed type. * * @param feedEntryClass the Class of entry type that will be parsed, which * lets this method figure out which parser to create * @param feedUri the URI of the feed to be fetched and parsed * @param authToken the current authToken to use for the request * @return a parser for the indicated feed * @throws AuthenticationException if the authToken is not valid * @throws ParseException if the response from the server could not be parsed */ private GDataParser getParserForTypedFeed( Class<? extends Entry> feedEntryClass, String feedUri, String authToken) throws AuthenticationException, ParseException, IOException { GDataClient gDataClient = getGDataClient(); GDataParserFactory gDataParserFactory = getGDataParserFactory(); try { InputStream is = gDataClient.getFeedAsStream(feedUri, authToken); return gDataParserFactory.createParser(feedEntryClass, is); } catch (HttpException e) { convertHttpExceptionForReads("Could not fetch parser feed.", e); return null; // never reached } } /** * Converts an HTTP exception that happened while reading into the equivalent * local exception. */ public void convertHttpExceptionForReads(String message, HttpException cause) throws AuthenticationException, IOException { switch (cause.getStatusCode()) { case HttpException.SC_FORBIDDEN: case HttpException.SC_UNAUTHORIZED: throw new AuthenticationException(message, cause); case HttpException.SC_GONE: default: throw new IOException(message + ": " + cause.getMessage()); } } @Override public Entry createEntry(String feedUri, String authToken, Entry entry) throws ParseException, IOException { GDataParserFactory factory = getGDataParserFactory(); GDataSerializer serializer = factory.createSerializer(entry); InputStream is; try { is = getGDataClient().createEntry(feedUri, authToken, serializer); } catch (HttpException e) { convertHttpExceptionForWrites(entry.getClass(), "Could not update entry.", e); return null; // never reached. } GDataParser parser = factory.createParser(entry.getClass(), is); try { return parser.parseStandaloneEntry(); } finally { parser.close(); } } /** * Fetches a GDataParser for the indicated feed. The parser can be used to * access the contents of URI. WARNING: because we cannot reliably infer the * feed type from the URI alone, this method assumes the default feed type! * This is probably NOT what you want. Please use the getParserFor[Type]Feed * methods. * * @param feedEntryClass * @param feedUri the URI of the feed to be fetched and parsed * @param authToken the current authToken to use for the request * @return a parser for the indicated feed * @throws ParseException if the response from the server could not be parsed */ @SuppressWarnings("rawtypes") @Override public GDataParser getParserForFeed( Class feedEntryClass, String feedUri, String authToken) throws ParseException, IOException { try { return getParserForTypedFeed(SpreadsheetEntry.class, feedUri, authToken); } catch (AuthenticationException e) { throw new IOException("Authentication Failure: " + e.getMessage()); } } /** * Returns a parser for a Worksheets meta-feed. * * @param feedUri the URI of the feed to be fetched and parsed * @param authToken the current authToken to use for the request * @return a parser for the indicated feed * @throws AuthenticationException if the authToken is not valid * @throws ParseException if the response from the server could not be parsed */ public GDataParser getParserForWorksheetsFeed( String feedUri, String authToken) throws AuthenticationException, ParseException, IOException { return getParserForTypedFeed(WorksheetEntry.class, feedUri, authToken); } /** * Updates an entry. The URI to be updated is taken from <code>entry</code>. * Note that only entries in List and Cells feeds can be updated, so * <code>entry</code> must be of the corresponding type; other types will * result in an exception. * * @param entry the entry to be updated; must include its URI * @param authToken the current authToken to be used for the operation * @return An Entry containing the re-parsed version of the entry returned by * the server in response to the update * @throws ParseException if the server returned an error, if the server's * response was unparseable (unlikely), or if <code>entry</code> is of * a read-only type * @throws IOException on network error */ @Override public Entry updateEntry(Entry entry, String authToken) throws ParseException, IOException { GDataParserFactory factory = getGDataParserFactory(); GDataSerializer serializer = factory.createSerializer(entry); String editUri = entry.getEditUri(); if (StringUtils.isEmpty(editUri)) { throw new ParseException("No edit URI -- cannot update."); } InputStream is; try { is = getGDataClient().updateEntry(editUri, authToken, serializer); } catch (HttpException e) { convertHttpExceptionForWrites(entry.getClass(), "Could not update entry.", e); return null; // never reached } GDataParser parser = factory.createParser(entry.getClass(), is); try { return parser.parseStandaloneEntry(); } finally { parser.close(); } } /** * Converts an HTTP exception which happened while writing to the equivalent * local exception. */ @SuppressWarnings("rawtypes") private void convertHttpExceptionForWrites( Class entryClass, String message, HttpException cause) throws ParseException, IOException { switch (cause.getStatusCode()) { case HttpException.SC_CONFLICT: if (entryClass != null) { InputStream is = cause.getResponseStream(); if (is != null) { parseEntry(entryClass, cause.getResponseStream()); } } throw new IOException(message); case HttpException.SC_BAD_REQUEST: throw new ParseException(message + ": " + cause); case HttpException.SC_FORBIDDEN: case HttpException.SC_UNAUTHORIZED: throw new IOException(message); default: throw new IOException(message + ": " + cause.getMessage()); } } /** * Parses one entry from the input stream. */ @SuppressWarnings("rawtypes") private Entry parseEntry(Class entryClass, InputStream is) throws ParseException, IOException { GDataParser parser = null; try { parser = getGDataParserFactory().createParser(entryClass, is); return parser.parseStandaloneEntry(); } finally { if (parser != null) { parser.close(); } } } }
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.io.gdata.docs; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.client.GDataServiceClient; /** * GDataServiceClient for accessing Google Documents. This is not a full * implementation. */ public class DocumentsClient extends GDataServiceClient { /** The name of the service, dictated to be 'wise' by the protocol. */ public static final String SERVICE = "writely"; /** * Creates a new DocumentsClient. * * @param client The GDataClient that should be used to authenticate requests, * retrieve feeds, etc * @param parserFactory The GDataParserFactory that should be used to obtain * GDataParsers used by this client */ public DocumentsClient(GDataClient client, GDataParserFactory parserFactory) { super(client, parserFactory); } @Override public String getServiceName() { return SERVICE; } }
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.gdata.docs; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import com.google.wireless.gdata.parser.xml.XmlParserFactory; import com.google.wireless.gdata.serializer.GDataSerializer; import com.google.wireless.gdata.serializer.xml.XmlEntryGDataSerializer; import java.io.InputStream; import org.xmlpull.v1.XmlPullParserException; /** * Factory of Xml parsers for gdata maps data. */ public class XmlDocsGDataParserFactory implements GDataParserFactory { private XmlParserFactory xmlFactory; public XmlDocsGDataParserFactory(XmlParserFactory xmlFactory) { this.xmlFactory = xmlFactory; } @Override public GDataParser createParser(InputStream is) throws ParseException { try { return new XmlGDataParser(is, xmlFactory.createParser()); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } @SuppressWarnings("rawtypes") @Override public GDataParser createParser(Class cls, InputStream is) throws ParseException { try { return createParserForClass(is); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } private GDataParser createParserForClass(InputStream is) throws ParseException, XmlPullParserException { return new XmlGDataParser(is, xmlFactory.createParser()); } @Override public GDataSerializer createSerializer(Entry en) { return new XmlEntryGDataSerializer(xmlFactory, en); } }
Java
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.Feed; import com.google.wireless.gdata.data.XmlUtils; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import org.xmlpull.v1.XmlPullParser; import org.xmlpull.v1.XmlPullParserException; import java.io.IOException; import java.io.InputStream; /** * Parser for XML gdata maps data. */ class XmlMapsGDataParser extends XmlGDataParser { public XmlMapsGDataParser(InputStream is, XmlPullParser xpp) throws ParseException { super(is, xpp); } @Override protected Feed createFeed() { return new Feed(); } @Override protected Entry createEntry() { return new MapFeatureEntry(); } @Override protected void handleExtraElementInFeed(Feed feed) { // Do nothing } @Override protected void handleExtraLinkInEntry( String rel, String type, String href, Entry entry) throws XmlPullParserException, IOException { if (!(entry instanceof MapFeatureEntry)) { throw new IllegalArgumentException("Expected MapFeatureEntry!"); } if (rel.endsWith("#view")) { return; } super.handleExtraLinkInEntry(rel, type, href, entry); } /** * Parses the current entry in the XML document. Assumes that the parser is * currently pointing just after an &lt;entry&gt;. * * @param plainEntry The entry that will be filled. * @throws XmlPullParserException Thrown if the XML cannot be parsed. * @throws IOException Thrown if the underlying inputstream cannot be read. */ @Override protected void handleEntry(Entry plainEntry) throws XmlPullParserException, IOException, ParseException { XmlPullParser parser = getParser(); if (!(plainEntry instanceof MapFeatureEntry)) { throw new IllegalArgumentException("Expected MapFeatureEntry!"); } MapFeatureEntry entry = (MapFeatureEntry) plainEntry; int eventType = parser.getEventType(); entry.setPrivacy("public"); while (eventType != XmlPullParser.END_DOCUMENT) { switch (eventType) { case XmlPullParser.START_TAG: String name = parser.getName(); if ("entry".equals(name)) { // stop parsing here. return; } else if ("id".equals(name)) { entry.setId(XmlUtils.extractChildText(parser)); } else if ("title".equals(name)) { entry.setTitle(XmlUtils.extractChildText(parser)); } else if ("link".equals(name)) { String rel = parser.getAttributeValue(null /* ns */, "rel"); String type = parser.getAttributeValue(null /* ns */, "type"); String href = parser.getAttributeValue(null /* ns */, "href"); if ("edit".equals(rel)) { entry.setEditUri(href); } else if ("alternate".equals(rel) && "text/html".equals(type)) { entry.setHtmlUri(href); } else { handleExtraLinkInEntry(rel, type, href, entry); } } else if ("summary".equals(name)) { entry.setSummary(XmlUtils.extractChildText(parser)); } else if ("content".equals(name)) { StringBuilder contentBuilder = new StringBuilder(); int parentDepth = parser.getDepth(); while (parser.getEventType() != XmlPullParser.END_DOCUMENT) { int etype = parser.next(); switch (etype) { case XmlPullParser.START_TAG: contentBuilder.append('<'); contentBuilder.append(parser.getName()); contentBuilder.append('>'); break; case XmlPullParser.TEXT: contentBuilder.append("<![CDATA["); contentBuilder.append(parser.getText()); contentBuilder.append("]]>"); break; case XmlPullParser.END_TAG: if (parser.getDepth() > parentDepth) { contentBuilder.append("</"); contentBuilder.append(parser.getName()); contentBuilder.append('>'); } break; } if (etype == XmlPullParser.END_TAG && parser.getDepth() == parentDepth) { break; } } entry.setContent(contentBuilder.toString()); } else if ("category".equals(name)) { String category = parser.getAttributeValue(null /* ns */, "term"); if (category != null && category.length() > 0) { entry.setCategory(category); } String categoryScheme = parser.getAttributeValue(null /* ns */, "scheme"); if (categoryScheme != null && category.length() > 0) { entry.setCategoryScheme(categoryScheme); } } else if ("published".equals(name)) { entry.setPublicationDate(XmlUtils.extractChildText(parser)); } else if ("updated".equals(name)) { entry.setUpdateDate(XmlUtils.extractChildText(parser)); } else if ("deleted".equals(name)) { entry.setDeleted(true); } else if ("draft".equals(name)) { String draft = XmlUtils.extractChildText(parser); entry.setPrivacy("yes".equals(draft) ? "unlisted" : "public"); } else if ("customProperty".equals(name)) { String attrName = parser.getAttributeValue(null, "name"); String attrValue = XmlUtils.extractChildText(parser); entry.setAttribute(attrName, attrValue); } else if ("deleted".equals(name)) { entry.setDeleted(true); } else { handleExtraElementInEntry(entry); } break; default: break; } eventType = parser.next(); } } }
Java
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.StringUtils; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import com.google.wireless.gdata.parser.xml.XmlParserFactory; import com.google.wireless.gdata.serializer.xml.XmlEntryGDataSerializer; import android.util.Log; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.OutputStream; import java.util.Map; import org.xmlpull.v1.XmlPullParserException; import org.xmlpull.v1.XmlSerializer; /** * Serializer of maps data for GData. */ class XmlMapsGDataSerializer extends XmlEntryGDataSerializer { private static final String APP_NAMESPACE = "http://www.w3.org/2007/app"; private MapFeatureEntry entry; private XmlParserFactory factory; private OutputStream stream; public XmlMapsGDataSerializer(XmlParserFactory factory, MapFeatureEntry entry) { super(factory, entry); this.factory = factory; this.entry = entry; } @Override public void serialize(OutputStream out, int format) throws IOException, ParseException { XmlSerializer serializer = null; try { serializer = factory.createSerializer(); } catch (XmlPullParserException e) { throw new ParseException("Unable to create XmlSerializer.", e); } ByteArrayOutputStream printStream; if (MapsClient.LOG_COMMUNICATION) { printStream = new ByteArrayOutputStream(); serializer.setOutput(printStream, "UTF-8"); } else { serializer.setOutput(out, "UTF-8"); } serializer.startDocument("UTF-8", Boolean.FALSE); declareEntryNamespaces(serializer); serializer.startTag(XmlGDataParser.NAMESPACE_ATOM_URI, "entry"); if (MapsClient.LOG_COMMUNICATION) { stream = printStream; } else { stream = out; } serializeEntryContents(serializer, format); serializer.endTag(XmlGDataParser.NAMESPACE_ATOM_URI, "entry"); serializer.endDocument(); serializer.flush(); if (MapsClient.LOG_COMMUNICATION) { Log.d("Request", printStream.toString()); out.write(printStream.toByteArray()); stream = out; } } private final void declareEntryNamespaces(XmlSerializer serializer) throws IOException { serializer.setPrefix( "" /* default ns */, XmlGDataParser.NAMESPACE_ATOM_URI); serializer.setPrefix( XmlGDataParser.NAMESPACE_GD, XmlGDataParser.NAMESPACE_GD_URI); declareExtraEntryNamespaces(serializer); } private final void serializeEntryContents(XmlSerializer serializer, int format) throws IOException { if (format != FORMAT_CREATE) { serializeId(serializer, entry.getId()); } serializeTitle(serializer, entry.getTitle()); if (format != FORMAT_CREATE) { serializeLink(serializer, "edit" /* rel */, entry.getEditUri(), null /* type */); serializeLink(serializer, "alternate" /* rel */, entry.getHtmlUri(), "text/html" /* type */); } serializeSummary(serializer, entry.getSummary()); serializeContent(serializer, entry.getContent()); serializeAuthor(serializer, entry.getAuthor(), entry.getEmail()); serializeCategory(serializer, entry.getCategory(), entry.getCategoryScheme()); if (format == FORMAT_FULL) { serializePublicationDate(serializer, entry.getPublicationDate()); } if (format != FORMAT_CREATE) { serializeUpdateDate(serializer, entry.getUpdateDate()); } serializeExtraEntryContents(serializer, format); } private static void serializeId(XmlSerializer serializer, String id) throws IOException { if (StringUtils.isEmpty(id)) { return; } serializer.startTag(null /* ns */, "id"); serializer.text(id); serializer.endTag(null /* ns */, "id"); } private static void serializeTitle(XmlSerializer serializer, String title) throws IOException { if (StringUtils.isEmpty(title)) { return; } serializer.startTag(null /* ns */, "title"); serializer.text(title); serializer.endTag(null /* ns */, "title"); } public static void serializeLink(XmlSerializer serializer, String rel, String href, String type) throws IOException { if (StringUtils.isEmpty(href)) { return; } serializer.startTag(null /* ns */, "link"); serializer.attribute(null /* ns */, "rel", rel); serializer.attribute(null /* ns */, "href", href); if (!StringUtils.isEmpty(type)) { serializer.attribute(null /* ns */, "type", type); } serializer.endTag(null /* ns */, "link"); } private static void serializeSummary(XmlSerializer serializer, String summary) throws IOException { if (StringUtils.isEmpty(summary)) { return; } serializer.startTag(null /* ns */, "summary"); serializer.text(summary); serializer.endTag(null /* ns */, "summary"); } private void serializeContent(XmlSerializer serializer, String content) throws IOException { if (content == null) { return; } serializer.startTag(null /* ns */, "content"); if (content.contains("</Placemark>")) { serializer.attribute( null /* ns */, "type", "application/vnd.google-earth.kml+xml"); serializer.flush(); stream.write(content.getBytes()); } else { serializer.text(content); } serializer.endTag(null /* ns */, "content"); } private static void serializeAuthor(XmlSerializer serializer, String author, String email) throws IOException { if (StringUtils.isEmpty(author) || StringUtils.isEmpty(email)) { return; } serializer.startTag(null /* ns */, "author"); serializer.startTag(null /* ns */, "name"); serializer.text(author); serializer.endTag(null /* ns */, "name"); serializer.startTag(null /* ns */, "email"); serializer.text(email); serializer.endTag(null /* ns */, "email"); serializer.endTag(null /* ns */, "author"); } private static void serializeCategory(XmlSerializer serializer, String category, String categoryScheme) throws IOException { if (StringUtils.isEmpty(category) && StringUtils.isEmpty(categoryScheme)) { return; } serializer.startTag(null /* ns */, "category"); if (!StringUtils.isEmpty(category)) { serializer.attribute(null /* ns */, "term", category); } if (!StringUtils.isEmpty(categoryScheme)) { serializer.attribute(null /* ns */, "scheme", categoryScheme); } serializer.endTag(null /* ns */, "category"); } private static void serializePublicationDate(XmlSerializer serializer, String publicationDate) throws IOException { if (StringUtils.isEmpty(publicationDate)) { return; } serializer.startTag(null /* ns */, "published"); serializer.text(publicationDate); serializer.endTag(null /* ns */, "published"); } private static void serializeUpdateDate(XmlSerializer serializer, String updateDate) throws IOException { if (StringUtils.isEmpty(updateDate)) { return; } serializer.startTag(null /* ns */, "updated"); serializer.text(updateDate); serializer.endTag(null /* ns */, "updated"); } @Override protected void serializeExtraEntryContents(XmlSerializer serializer, int format) throws IOException { Map<String, String> attrs = entry.getAllAttributes(); for (Map.Entry<String, String> attr : attrs.entrySet()) { serializer.startTag("http://schemas.google.com/g/2005", "customProperty"); serializer.attribute(null, "name", attr.getKey()); serializer.text(attr.getValue()); serializer.endTag("http://schemas.google.com/g/2005", "customProperty"); } String privacy = entry.getPrivacy(); if (!StringUtils.isEmpty(privacy)) { serializer.setPrefix("app", APP_NAMESPACE); if ("public".equals(privacy)) { serializer.startTag(APP_NAMESPACE, "control"); serializer.startTag(APP_NAMESPACE, "draft"); serializer.text("no"); serializer.endTag(APP_NAMESPACE, "draft"); serializer.endTag(APP_NAMESPACE, "control"); } if ("unlisted".equals(privacy)) { serializer.startTag(APP_NAMESPACE, "control"); serializer.startTag(APP_NAMESPACE, "draft"); serializer.text("yes"); serializer.endTag(APP_NAMESPACE, "draft"); serializer.endTag(APP_NAMESPACE, "control"); } } } }
Java
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.StringUtils; import android.graphics.Color; import android.util.Log; import java.io.IOException; import java.io.StringWriter; import org.xmlpull.v1.XmlPullParserException; import org.xmlpull.v1.XmlPullParserFactory; import org.xmlpull.v1.XmlSerializer; /** * Converter from GData objects to Maps objects. */ public class MapsGDataConverter { private final XmlSerializer xmlSerializer; public MapsGDataConverter() throws XmlPullParserException { xmlSerializer = XmlPullParserFactory.newInstance().newSerializer(); } public static MapsMapMetadata getMapMetadataForEntry( MapFeatureEntry entry) { MapsMapMetadata metadata = new MapsMapMetadata(); if ("public".equals(entry.getPrivacy())) { metadata.setSearchable(true); } else { metadata.setSearchable(false); } metadata.setTitle(entry.getTitle()); metadata.setDescription(entry.getSummary()); String editUri = entry.getEditUri(); if (editUri != null) { metadata.setGDataEditUri(editUri); } return metadata; } public static String getMapidForEntry(Entry entry) { return MapsClient.getMapIdFromMapEntryId(entry.getId()); } public static Entry getMapEntryForMetadata(MapsMapMetadata metadata) { MapFeatureEntry entry = new MapFeatureEntry(); entry.setEditUri(metadata.getGDataEditUri()); entry.setTitle(metadata.getTitle()); entry.setSummary(metadata.getDescription()); entry.setPrivacy(metadata.getSearchable() ? "public" : "unlisted"); entry.setAuthor("android"); entry.setEmail("nobody@google.com"); return entry; } public MapFeatureEntry getEntryForFeature(MapsFeature feature) { MapFeatureEntry entry = new MapFeatureEntry(); entry.setTitle(feature.getTitle()); entry.setAuthor("android"); entry.setEmail("nobody@google.com"); entry.setCategoryScheme("http://schemas.google.com/g/2005#kind"); entry.setCategory("http://schemas.google.com/g/2008#mapfeature"); entry.setEditUri(""); if (!StringUtils.isEmpty(feature.getAndroidId())) { entry.setAttribute("_androidId", feature.getAndroidId()); } try { StringWriter writer = new StringWriter(); xmlSerializer.setOutput(writer); xmlSerializer.startTag(null, "Placemark"); xmlSerializer.attribute(null, "xmlns", "http://earth.google.com/kml/2.2"); xmlSerializer.startTag(null, "Style"); if (feature.getType() == MapsFeature.MARKER) { xmlSerializer.startTag(null, "IconStyle"); xmlSerializer.startTag(null, "Icon"); xmlSerializer.startTag(null, "href"); xmlSerializer.text(feature.getIconUrl()); xmlSerializer.endTag(null, "href"); xmlSerializer.endTag(null, "Icon"); xmlSerializer.endTag(null, "IconStyle"); } else { xmlSerializer.startTag(null, "LineStyle"); xmlSerializer.startTag(null, "color"); int color = feature.getColor(); // Reverse the color because KML is ABGR and Android is ARGB xmlSerializer.text(Integer.toHexString( Color.argb(Color.alpha(color), Color.blue(color), Color.green(color), Color.red(color)))); xmlSerializer.endTag(null, "color"); xmlSerializer.startTag(null, "width"); xmlSerializer.text(Integer.toString(feature.getLineWidth())); xmlSerializer.endTag(null, "width"); xmlSerializer.endTag(null, "LineStyle"); if (feature.getType() == MapsFeature.SHAPE) { xmlSerializer.startTag(null, "PolyStyle"); xmlSerializer.startTag(null, "color"); int fcolor = feature.getFillColor(); // Reverse the color because KML is ABGR and Android is ARGB xmlSerializer.text(Integer.toHexString(Color.argb(Color.alpha(fcolor), Color.blue(fcolor), Color.green(fcolor), Color.red(fcolor)))); xmlSerializer.endTag(null, "color"); xmlSerializer.startTag(null, "fill"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "fill"); xmlSerializer.startTag(null, "outline"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "outline"); xmlSerializer.endTag(null, "PolyStyle"); } } xmlSerializer.endTag(null, "Style"); xmlSerializer.startTag(null, "name"); xmlSerializer.text(feature.getTitle()); xmlSerializer.endTag(null, "name"); xmlSerializer.startTag(null, "description"); xmlSerializer.cdsect(feature.getDescription()); xmlSerializer.endTag(null, "description"); StringBuilder pointBuilder = new StringBuilder(); for (int i = 0; i < feature.getPointCount(); ++i) { if (i > 0) { pointBuilder.append('\n'); } pointBuilder.append(feature.getPoint(i).getLongitudeE6() / 1e6); pointBuilder.append(','); pointBuilder.append(feature.getPoint(i).getLatitudeE6() / 1e6); pointBuilder.append(",0.000000"); } String pointString = pointBuilder.toString(); if (feature.getType() == MapsFeature.MARKER) { xmlSerializer.startTag(null, "Point"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "Point"); } else if (feature.getType() == MapsFeature.LINE) { xmlSerializer.startTag(null, "LineString"); xmlSerializer.startTag(null, "tessellate"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "tessellate"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "LineString"); } else { xmlSerializer.startTag(null, "Polygon"); xmlSerializer.startTag(null, "outerBoundaryIs"); xmlSerializer.startTag(null, "LinearRing"); xmlSerializer.startTag(null, "tessellate"); xmlSerializer.text("1"); xmlSerializer.endTag(null, "tessellate"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString + "\n" + Double.toString(feature.getPoint(0).getLongitudeE6() / 1e6) + "," + Double.toString(feature.getPoint(0).getLatitudeE6() / 1e6) + ",0.000000"); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "LinearRing"); xmlSerializer.endTag(null, "outerBoundaryIs"); xmlSerializer.endTag(null, "Polygon"); } xmlSerializer.endTag(null, "Placemark"); xmlSerializer.flush(); entry.setContent(writer.toString()); Log.d("My Google Maps", "Edit URI: " + entry.getEditUri()); } catch (IOException e) { e.printStackTrace(); } return entry; } }
Java
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.parser.xml.XmlGDataParser; import com.google.wireless.gdata.parser.xml.XmlParserFactory; import com.google.wireless.gdata.serializer.GDataSerializer; import com.google.wireless.gdata.serializer.xml.XmlEntryGDataSerializer; import android.util.Log; import java.io.ByteArrayInputStream; import java.io.IOException; import java.io.InputStream; import org.xmlpull.v1.XmlPullParserException; /** * Factory of Xml parsers for gdata maps data. */ public class XmlMapsGDataParserFactory implements GDataParserFactory { private XmlParserFactory xmlFactory; public XmlMapsGDataParserFactory(XmlParserFactory xmlFactory) { this.xmlFactory = xmlFactory; } @Override public GDataParser createParser(InputStream is) throws ParseException { is = maybeLogCommunication(is); try { return new XmlGDataParser(is, xmlFactory.createParser()); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } @SuppressWarnings({ "unchecked", "rawtypes" }) @Override public GDataParser createParser(Class cls, InputStream is) throws ParseException { is = maybeLogCommunication(is); try { return createParserForClass(cls, is); } catch (XmlPullParserException e) { e.printStackTrace(); return null; } } private InputStream maybeLogCommunication(InputStream is) throws ParseException { if (MapsClient.LOG_COMMUNICATION) { StringBuilder builder = new StringBuilder(); byte[] buffer = new byte[2048]; try { for (int n = is.read(buffer); n >= 0; n = is.read(buffer)) { String part = new String(buffer, 0, n); builder.append(part); Log.d("Response part", part); } } catch (IOException e) { throw new ParseException("Could not read stream", e); } String whole = builder.toString(); Log.d("Response", whole); is = new ByteArrayInputStream(whole.getBytes()); } return is; } private GDataParser createParserForClass( Class<? extends Entry> cls, InputStream is) throws ParseException, XmlPullParserException { if (cls == MapFeatureEntry.class) { return new XmlMapsGDataParser(is, xmlFactory.createParser()); } else { return new XmlGDataParser(is, xmlFactory.createParser()); } } @Override public GDataSerializer createSerializer(Entry en) { if (en instanceof MapFeatureEntry) { return new XmlMapsGDataSerializer(xmlFactory, (MapFeatureEntry) en); } else { return new XmlEntryGDataSerializer(xmlFactory, en); } } }
Java
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; /** * Metadata about a maps feature. */ class MapsFeatureMetadata { private static final String BLUE_DOT_URL = "http://maps.google.com/mapfiles/ms/micons/blue-dot.png"; private static final int DEFAULT_COLOR = 0x800000FF; private static final int DEFAULT_FILL_COLOR = 0xC00000FF; private String title; private String description; private int type; private int color; private int lineWidth; private int fillColor; private String iconUrl; public MapsFeatureMetadata() { title = ""; description = ""; type = MapsFeature.MARKER; color = DEFAULT_COLOR; lineWidth = 5; fillColor = DEFAULT_FILL_COLOR; iconUrl = BLUE_DOT_URL; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public int getType() { return type; } public void setType(int type) { this.type = type; } public int getColor() { return color; } public void setColor(int color) { this.color = color; } public int getLineWidth() { return lineWidth; } public void setLineWidth(int width) { lineWidth = width; } public int getFillColor() { return fillColor; } public void setFillColor(int color) { fillColor = color; } public String getIconUrl() { return iconUrl; } public void setIconUrl(String url) { iconUrl = url; } }
Java
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; /** * Constants for Google Maps. */ public class MapsConstants { static final String MAPSHOP_BASE_URL = "https://maps.google.com/maps/ms"; public static final String SERVICE_NAME = "local"; /** * Private constructor to prevent instantiation. */ private MapsConstants() { } }
Java
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.GDataParserFactory; import com.google.wireless.gdata.client.GDataServiceClient; import android.util.Log; /** * Client to talk to Google Maps via GData. */ public class MapsClient extends GDataServiceClient { private static final boolean DEBUG = false; public static final boolean LOG_COMMUNICATION = false; private static final String MAPS_BASE_FEED_URL = "http://maps.google.com/maps/feeds/"; private static final String MAPS_MAP_FEED_PATH = "maps/default/full"; private static final String MAPS_FEATURE_FEED_PATH_BEFORE_MAPID = "features/"; private static final String MAPS_FEATURE_FEED_PATH_AFTER_MAPID = "/full"; private static final String MAPS_VERSION_FEED_PATH_FORMAT = "%smaps/%s/versions/%s/full/%s"; private static final String MAP_ENTRY_ID_BEFORE_USER_ID = "maps/feeds/maps/"; private static final String MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID = "/"; private static final String V2_ONLY_PARAM = "?v=2.0"; public MapsClient(GDataClient dataClient, GDataParserFactory dataParserFactory) { super(dataClient, dataParserFactory); } @Override public String getServiceName() { return MapsConstants.SERVICE_NAME; } public static String buildMapUrl(String mapId) { return MapsConstants.MAPSHOP_BASE_URL + "?msa=0&msid=" + mapId; } public static String getMapsFeed() { if (DEBUG) { Log.d("Maps Client", "Requesting map feed:"); } return MAPS_BASE_FEED_URL + MAPS_MAP_FEED_PATH + V2_ONLY_PARAM; } public static String getFeaturesFeed(String mapid) { StringBuilder feed = new StringBuilder(); feed.append(MAPS_BASE_FEED_URL); feed.append(MAPS_FEATURE_FEED_PATH_BEFORE_MAPID); feed.append(mapid); feed.append(MAPS_FEATURE_FEED_PATH_AFTER_MAPID); feed.append(V2_ONLY_PARAM); return feed.toString(); } public static String getMapIdFromMapEntryId(String entryId) { String userId = null; String mapId = null; if (DEBUG) { Log.d("Maps GData Client", "Getting mapid from entry id: " + entryId); } int userIdStart = entryId.indexOf(MAP_ENTRY_ID_BEFORE_USER_ID) + MAP_ENTRY_ID_BEFORE_USER_ID.length(); int userIdEnd = entryId.indexOf(MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID, userIdStart); if (userIdStart >= 0 && userIdEnd < entryId.length() && userIdStart <= userIdEnd) { userId = entryId.substring(userIdStart, userIdEnd); } int mapIdStart = entryId.indexOf(MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID, userIdEnd) + MAP_ENTRY_ID_BETWEEN_USER_ID_AND_MAP_ID.length(); if (mapIdStart >= 0 && mapIdStart < entryId.length()) { mapId = entryId.substring(mapIdStart); } if (userId == null) { userId = ""; } if (mapId == null) { mapId = ""; } if (DEBUG) { Log.d("Maps GData Client", "Got user id: " + userId); Log.d("Maps GData Client", "Got map id: " + mapId); } return userId + "." + mapId; } public static String getVersionFeed(String versionUserId, String versionClient, String currentVersion) { return String.format(MAPS_VERSION_FEED_PATH_FORMAT, MAPS_BASE_FEED_URL, versionUserId, versionClient, currentVersion); } }
Java
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.android.maps.GeoPoint; import java.util.Random; import java.util.Vector; /** * MapsFeature contains all of the data associated with a feature in Google * Maps, where a feature is a marker, line, or shape. Some of the data is stored * in a {@link MapsFeatureMetadata} object so that it can be more efficiently * transmitted to other activities. */ public class MapsFeature { /** A marker feature displays an icon at a single point on the map. */ public static final int MARKER = 0; /** * A line feature displays a line connecting a set of points on the map. */ public static final int LINE = 1; /** * A shape feature displays a border defined by connecting a set of points, * including connecting the last to the first, and displays the area * confined by this border. */ public static final int SHAPE = 2; /** The local feature id for this feature, if needed. */ private String androidId; /** * The latitudes of the points of this feature in order, specified in * millionths of a degree north. */ private final Vector<Integer> latitudeE6 = new Vector<Integer>(); /** * The longitudes of the points of this feature in order, specified in * millionths of a degree east. */ private final Vector<Integer> longitudeE6 = new Vector<Integer>(); /** The metadata of this feature in a format efficient for transmission. */ private MapsFeatureMetadata featureInfo = new MapsFeatureMetadata(); private final Random random = new Random(); /** * Initializes a valid but empty feature. It will default to a * {@link #MARKER} with a blue placemark with a dot as an icon at the * location (0, 0). */ public MapsFeature() { } /** * Adds a new point to the end of this feature. * * @param point The new point to add */ public void addPoint(GeoPoint point) { latitudeE6.add(point.getLatitudeE6()); longitudeE6.add(point.getLongitudeE6()); } /** * Generates a new local id for this feature based on the current time and * a random number. */ public void generateAndroidId() { long time = System.currentTimeMillis(); int rand = random.nextInt(10000); androidId = time + "." + rand; } /** * Retrieves the current local id for this feature if one is available. * * @return The local id for this feature */ public String getAndroidId() { return androidId; } /** * Retrieves the current (html) description of this feature. The description * is stored in the feature metadata. * * @return The description of this feature */ public String getDescription() { return featureInfo.getDescription(); } /** * Sets the description of this feature. That description is stored in the * feature metadata. * * @param description The new description of this feature */ public void setDescription(String description) { featureInfo.setDescription(description); } /** * Retrieves the point at the given index for this feature. * * @param index The index of the point desired * @return A {@link GeoPoint} representing the point or null if that point * doesn't exist */ public GeoPoint getPoint(int index) { if (latitudeE6.size() <= index) { return null; } return new GeoPoint(latitudeE6.get(index), longitudeE6.get(index)); } /** * Counts the number of points in this feature and return that count. * * @return The number of points in this feature */ public int getPointCount() { return latitudeE6.size(); } /** * Retrieves the title of this feature. That title is stored in the feature * metadata. * * @return the current title of this feature */ public String getTitle() { return featureInfo.getTitle(); } /** * Retrieves the type of this feature. That type is stored in the feature * metadata. * * @return One of {@link #MARKER}, {@link #LINE}, or {@link #SHAPE} * identifying the type of this feature */ public int getType() { return featureInfo.getType(); } /** * Retrieves the current color of this feature as an ARGB color integer. * That color is stored in the feature metadata. * * @return The ARGB color of this feature */ public int getColor() { return featureInfo.getColor(); } /** * Retrieves the current line width of this feature. That line width is * stored in the feature metadata. * * @return The line width of this feature */ public int getLineWidth() { return featureInfo.getLineWidth(); } /** * Retrieves the current fill color of this feature as an ARGB color * integer. That color is stored in the feature metadata. * * @return The ARGB fill color of this feature */ public int getFillColor() { return featureInfo.getFillColor(); } /** * Retrieves the current icon url of this feature. That icon url is stored * in the feature metadata. * * @return The icon url for this feature */ public String getIconUrl() { return featureInfo.getIconUrl(); } /** * Sets the title of this feature. That title is stored in the feature * metadata. * * @param title The new title of this feature */ public void setTitle(String title) { featureInfo.setTitle(title); } /** * Sets the type of this feature. That type is stored in the feature * metadata. * * @param type The new type of the feature. That type must be one of * {@link #MARKER}, {@link #LINE}, or {@link #SHAPE} */ public void setType(int type) { featureInfo.setType(type); } /** * Sets the ARGB color of this feature. That color is stored in the feature * metadata. * * @param color The new ARGB color of this feature */ public void setColor(int color) { featureInfo.setColor(color); } /** * Sets the icon url of this feature. That icon url is stored in the feature * metadata. * * @param url The new icon url of the feature */ public void setIconUrl(String url) { featureInfo.setIconUrl(url); } }
Java
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; import com.google.wireless.gdata.data.Entry; import java.util.HashMap; import java.util.Map; /** * GData entry for a map feature. */ public class MapFeatureEntry extends Entry { private String mPrivacy = null; private Map<String, String> mAttributes = new HashMap<String, String>(); public void setPrivacy(String privacy) { mPrivacy = privacy; } public String getPrivacy() { return mPrivacy; } public void setAttribute(String name, String value) { mAttributes.put(name, value); } public void removeAttribute(String name) { mAttributes.remove(name); } public Map<String, String> getAllAttributes() { return mAttributes; } }
Java
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.gdata.maps; /** * Metadata about a Google Maps map. */ public class MapsMapMetadata { private String title; private String description; private String gdataEditUri; private boolean searchable; public MapsMapMetadata() { title = ""; description = ""; gdataEditUri = ""; searchable = false; } public String getTitle() { return title; } public void setTitle(String title) { this.title = title; } public String getDescription() { return description; } public void setDescription(String description) { this.description = description; } public boolean getSearchable() { return searchable; } public void setSearchable(boolean searchable) { this.searchable = searchable; } public String getGDataEditUri() { return gdataEditUri; } public void setGDataEditUri(String editUri) { this.gdataEditUri = editUri; } }
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.gdata; import com.google.wireless.gdata.client.QueryParams; import android.text.TextUtils; import android.util.Log; import java.io.UnsupportedEncodingException; import java.net.URLEncoder; import java.util.HashMap; import java.util.Map; import java.util.Set; /** * Simple implementation of the QueryParams interface. */ // TODO: deal with categories public class QueryParamsImpl extends QueryParams { private final Map<String, String> mParams = new HashMap<String, String>(); @Override public void clear() { setEntryId(null); mParams.clear(); } @Override public String generateQueryUrl(String feedUrl) { if (TextUtils.isEmpty(getEntryId()) && mParams.isEmpty()) { // nothing to do return feedUrl; } // handle entry IDs if (!TextUtils.isEmpty(getEntryId())) { if (!mParams.isEmpty()) { throw new IllegalStateException("Cannot set both an entry ID " + "and other query paramters."); } return feedUrl + '/' + getEntryId(); } // otherwise, append the querystring params. StringBuilder sb = new StringBuilder(); sb.append(feedUrl); Set<String> params = mParams.keySet(); boolean first = true; if (feedUrl.contains("?")) { first = false; } else { sb.append('?'); } for (String param : params) { if (first) { first = false; } else { sb.append('&'); } sb.append(param); sb.append('='); String value = mParams.get(param); String encodedValue = null; try { encodedValue = URLEncoder.encode(value, "UTF-8"); } catch (UnsupportedEncodingException uee) { // should not happen. Log.w("QueryParamsImpl", "UTF-8 not supported -- should not happen. " + "Using default encoding.", uee); encodedValue = URLEncoder.encode(value); } sb.append(encodedValue); } return sb.toString(); } @Override public String getParamValue(String param) { if (!(mParams.containsKey(param))) { return null; } return mParams.get(param); } @Override public void setParamValue(String param, String value) { mParams.put(param, 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.io.gdata; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.client.QueryParams; import com.google.wireless.gdata.data.StringUtils; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata.serializer.GDataSerializer; import android.text.TextUtils; import android.util.Log; import java.io.ByteArrayOutputStream; import java.io.IOException; import java.io.InputStream; import java.io.UnsupportedEncodingException; import java.net.URI; import java.net.URISyntaxException; import java.net.URLEncoder; import java.util.zip.GZIPInputStream; import org.apache.http.Header; import org.apache.http.HttpEntity; import org.apache.http.HttpResponse; import org.apache.http.StatusLine; import org.apache.http.client.HttpClient; import org.apache.http.client.methods.HttpGet; import org.apache.http.client.methods.HttpPost; import org.apache.http.client.methods.HttpUriRequest; import org.apache.http.entity.AbstractHttpEntity; import org.apache.http.entity.ByteArrayEntity; import org.apache.http.entity.InputStreamEntity; import org.apache.http.impl.client.DefaultHttpClient; /** * Implementation of a GDataClient using GoogleHttpClient to make HTTP requests. * Always issues GETs and POSTs, using the X-HTTP-Method-Override header when a * PUT or DELETE is desired, to avoid issues with firewalls, etc., that do not * allow methods other than GET or POST. */ public class AndroidGDataClient implements GDataClient { private static final String TAG = "GDataClient"; private static final boolean DEBUG = false; private static final String X_HTTP_METHOD_OVERRIDE = "X-HTTP-Method-Override"; private static final int MAX_REDIRECTS = 10; private final HttpClient httpClient; /** * Interface for creating HTTP requests. Used by * {@link AndroidGDataClient#createAndExecuteMethod}, since HttpUriRequest * does not allow for changing the URI after creation, e.g., when you want to * follow a redirect. */ private interface HttpRequestCreator { HttpUriRequest createRequest(URI uri); } private static class GetRequestCreator implements HttpRequestCreator { public HttpUriRequest createRequest(URI uri) { return new HttpGet(uri); } } private static class PostRequestCreator implements HttpRequestCreator { private final String mMethodOverride; private final HttpEntity mEntity; public PostRequestCreator(String methodOverride, HttpEntity entity) { mMethodOverride = methodOverride; mEntity = entity; } public HttpUriRequest createRequest(URI uri) { HttpPost post = new HttpPost(uri); if (mMethodOverride != null) { post.addHeader(X_HTTP_METHOD_OVERRIDE, mMethodOverride); } post.setEntity(mEntity); return post; } } // MAJOR TODO: make this work across redirects (if we can reset the // InputStream). // OR, read the bits into a local buffer (yuck, the media could be large). private static class MediaPutRequestCreator implements HttpRequestCreator { private final InputStream mMediaInputStream; private final String mContentType; public MediaPutRequestCreator(InputStream mediaInputStream, String contentType) { mMediaInputStream = mediaInputStream; mContentType = contentType; } public HttpUriRequest createRequest(URI uri) { HttpPost post = new HttpPost(uri); post.addHeader(X_HTTP_METHOD_OVERRIDE, "PUT"); InputStreamEntity entity = new InputStreamEntity(mMediaInputStream, -1 /* read until EOF */); entity.setContentType(mContentType); post.setEntity(entity); return post; } } /** * Creates a new AndroidGDataClient. */ public AndroidGDataClient() { httpClient = new DefaultHttpClient(); } public void close() { } /* * (non-Javadoc) * * @see GDataClient#encodeUri(java.lang.String) */ public String encodeUri(String uri) { String encodedUri; try { encodedUri = URLEncoder.encode(uri, "UTF-8"); } catch (UnsupportedEncodingException uee) { // should not happen. Log.e("JakartaGDataClient", "UTF-8 not supported -- should not happen. " + "Using default encoding.", uee); encodedUri = URLEncoder.encode(uri); } return encodedUri; } /* * (non-Javadoc) * * @see com.google.wireless.gdata.client.GDataClient#createQueryParams() */ public QueryParams createQueryParams() { return new QueryParamsImpl(); } // follows redirects private InputStream createAndExecuteMethod(HttpRequestCreator creator, String uriString, String authToken) throws HttpException, IOException { HttpResponse response = null; int status = 500; int redirectsLeft = MAX_REDIRECTS; URI uri; try { uri = new URI(uriString); } catch (URISyntaxException use) { Log.w(TAG, "Unable to parse " + uriString + " as URI.", use); throw new IOException("Unable to parse " + uriString + " as URI: " + use.getMessage()); } // we follow redirects ourselves, since we want to follow redirects even on // POSTs, which // the HTTP library does not do. following redirects ourselves also allows // us to log // the redirects using our own logging. while (redirectsLeft > 0) { HttpUriRequest request = creator.createRequest(uri); request.addHeader("User-Agent", "Android-GData"); request.addHeader("Accept-Encoding", "gzip"); // only add the auth token if not null (to allow for GData feeds that do // not require // authentication.) if (!TextUtils.isEmpty(authToken)) { request.addHeader("Authorization", "GoogleLogin auth=" + authToken); } if (DEBUG) { for (Header h : request.getAllHeaders()) { Log.v(TAG, h.getName() + ": " + h.getValue()); } Log.d(TAG, "Executing " + request.getRequestLine().toString()); } response = null; try { response = httpClient.execute(request); } catch (IOException ioe) { Log.w(TAG, "Unable to execute HTTP request." + ioe); throw ioe; } StatusLine statusLine = response.getStatusLine(); if (statusLine == null) { Log.w(TAG, "StatusLine is null."); throw new NullPointerException( "StatusLine is null -- should not happen."); } if (Log.isLoggable(TAG, Log.DEBUG)) { Log.d(TAG, response.getStatusLine().toString()); for (Header h : response.getAllHeaders()) { Log.d(TAG, h.getName() + ": " + h.getValue()); } } status = statusLine.getStatusCode(); HttpEntity entity = response.getEntity(); if ((status >= 200) && (status < 300) && entity != null) { return getUngzippedContent(entity); } // TODO: handle 301, 307? // TODO: let the http client handle the redirects, if we can be sure we'll // never get a // redirect on POST. if (status == 302) { // consume the content, so the connection can be closed. entity.consumeContent(); Header location = response.getFirstHeader("Location"); if (location == null) { if (Log.isLoggable(TAG, Log.DEBUG)) { Log.d(TAG, "Redirect requested but no Location " + "specified."); } break; } if (Log.isLoggable(TAG, Log.DEBUG)) { Log.d(TAG, "Following redirect to " + location.getValue()); } try { uri = new URI(location.getValue()); } catch (URISyntaxException use) { if (Log.isLoggable(TAG, Log.DEBUG)) { Log.d(TAG, "Unable to parse " + location.getValue() + " as URI.", use); throw new IOException("Unable to parse " + location.getValue() + " as URI."); } break; } --redirectsLeft; } else { break; } } if (Log.isLoggable(TAG, Log.VERBOSE)) { Log.v(TAG, "Received " + status + " status code."); } String errorMessage = null; HttpEntity entity = response.getEntity(); try { if (entity != null) { InputStream in = entity.getContent(); ByteArrayOutputStream baos = new ByteArrayOutputStream(); byte[] buf = new byte[8192]; int bytesRead = -1; while ((bytesRead = in.read(buf)) != -1) { baos.write(buf, 0, bytesRead); } // TODO: use appropriate encoding, picked up from Content-Type. errorMessage = new String(baos.toByteArray()); if (Log.isLoggable(TAG, Log.VERBOSE)) { Log.v(TAG, errorMessage); } } } finally { if (entity != null) { entity.consumeContent(); } } String exceptionMessage = "Received " + status + " status code"; if (errorMessage != null) { exceptionMessage += (": " + errorMessage); } throw new HttpException(exceptionMessage, status, null /* InputStream */); } /** * Gets the input stream from a response entity. If the entity is gzipped * then this will get a stream over the uncompressed data. * * @param entity the entity whose content should be read * @return the input stream to read from * @throws IOException */ private static InputStream getUngzippedContent(HttpEntity entity) throws IOException { InputStream responseStream = entity.getContent(); if (responseStream == null) { return responseStream; } Header header = entity.getContentEncoding(); if (header == null) { return responseStream; } String contentEncoding = header.getValue(); if (contentEncoding == null) { return responseStream; } if (contentEncoding.contains("gzip")){ responseStream = new GZIPInputStream(responseStream); } return responseStream; } /* * (non-Javadoc) * * @see GDataClient#getFeedAsStream(java.lang.String, java.lang.String) */ public InputStream getFeedAsStream(String feedUrl, String authToken) throws HttpException, IOException { InputStream in = createAndExecuteMethod(new GetRequestCreator(), feedUrl, authToken); if (in != null) { return in; } throw new IOException("Unable to access feed."); } public InputStream getMediaEntryAsStream(String mediaEntryUrl, String authToken) throws HttpException, IOException { InputStream in = createAndExecuteMethod(new GetRequestCreator(), mediaEntryUrl, authToken); if (in != null) { return in; } throw new IOException("Unable to access media entry."); } /* * (non-Javadoc) * * @see GDataClient#createEntry */ public InputStream createEntry(String feedUrl, String authToken, GDataSerializer entry) throws HttpException, IOException { HttpEntity entity = createEntityForEntry(entry, GDataSerializer.FORMAT_CREATE); InputStream in = createAndExecuteMethod(new PostRequestCreator(null /* override */, entity), feedUrl, authToken); if (in != null) { return in; } throw new IOException("Unable to create entry."); } /* * (non-Javadoc) * * @see GDataClient#updateEntry */ public InputStream updateEntry(String editUri, String authToken, GDataSerializer entry) throws HttpException, IOException { HttpEntity entity = createEntityForEntry(entry, GDataSerializer.FORMAT_UPDATE); InputStream in = createAndExecuteMethod(new PostRequestCreator("PUT", entity), editUri, authToken); if (in != null) { return in; } throw new IOException("Unable to update entry."); } /* * (non-Javadoc) * * @see GDataClient#deleteEntry */ public void deleteEntry(String editUri, String authToken) throws HttpException, IOException { if (StringUtils.isEmpty(editUri)) { throw new IllegalArgumentException( "you must specify an non-empty edit url"); } InputStream in = createAndExecuteMethod( new PostRequestCreator("DELETE", null /* entity */), editUri, authToken); if (in == null) { throw new IOException("Unable to delete entry."); } try { in.close(); } catch (IOException ioe) { // ignore } } public InputStream updateMediaEntry(String editUri, String authToken, InputStream mediaEntryInputStream, String contentType) throws HttpException, IOException { InputStream in = createAndExecuteMethod(new MediaPutRequestCreator( mediaEntryInputStream, contentType), editUri, authToken); if (in != null) { return in; } throw new IOException("Unable to write media entry."); } private HttpEntity createEntityForEntry(GDataSerializer entry, int format) throws IOException { ByteArrayOutputStream baos = new ByteArrayOutputStream(); try { entry.serialize(baos, format); } catch (IOException ioe) { Log.e(TAG, "Unable to serialize entry.", ioe); throw ioe; } catch (ParseException pe) { Log.e(TAG, "Unable to serialize entry.", pe); throw new IOException("Unable to serialize entry: " + pe.getMessage()); } byte[] entryBytes = baos.toByteArray(); if (entryBytes != null && Log.isLoggable(TAG, Log.DEBUG)) { try { Log.d(TAG, "Serialized entry: " + new String(entryBytes, "UTF-8")); } catch (UnsupportedEncodingException uee) { // should not happen throw new IllegalStateException("UTF-8 should be supported!", uee); } } AbstractHttpEntity entity = new ByteArrayEntity(entryBytes); entity.setContentType(entry.getContentType()); return entity; } }
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.fusiontables; import com.google.android.apps.mytracks.io.docs.SendDocsActivity; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendActivity; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendAsyncTask; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.io.sendtogoogle.UploadResultActivity; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Intent; /** * An activity to send a track to Google Fusion Tables. * * @author Jimmy Shih */ public class SendFusionTablesActivity extends AbstractSendActivity { @Override protected AbstractSendAsyncTask createAsyncTask() { return new SendFusionTablesAsyncTask(this, sendRequest.getTrackId(), sendRequest.getAccount()); } @Override protected String getServiceName() { return getString(R.string.send_google_fusion_tables); } @Override protected void startNextActivity(boolean success, boolean isCancel) { sendRequest.setFusionTablesSuccess(success); Class<?> next = getNextClass(sendRequest, isCancel); Intent intent = new Intent(this, next).putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } @VisibleForTesting Class<?> getNextClass(SendRequest request, boolean isCancel) { if (isCancel) { return UploadResultActivity.class; } else { if (request.isSendDocs()) { return SendDocsActivity.class; } else { return UploadResultActivity.class; } } } }
Java
// Copyright 2012 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.fusiontables; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.DescriptionGeneratorImpl; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendAsyncTask; import com.google.android.apps.mytracks.io.sendtogoogle.SendToGoogleUtils; import com.google.android.apps.mytracks.stats.DoubleBuffer; import com.google.android.apps.mytracks.stats.TripStatisticsBuilder; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import com.google.api.client.googleapis.GoogleHeaders; import com.google.api.client.googleapis.MethodOverride; import com.google.api.client.http.GenericUrl; import com.google.api.client.http.HttpRequest; import com.google.api.client.http.HttpRequestFactory; import com.google.api.client.http.HttpResponse; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.InputStreamContent; import com.google.api.client.util.Strings; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AuthenticatorException; import android.accounts.OperationCanceledException; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.location.Location; import android.util.Log; import java.io.ByteArrayInputStream; import java.io.IOException; import java.io.InputStream; import java.net.URLEncoder; import java.util.ArrayList; import java.util.List; import java.util.Vector; /** * AsyncTask to send a track to Google Fusion Tables. * * @author Jimmy Shih */ public class SendFusionTablesAsyncTask extends AbstractSendAsyncTask { private static final String APP_NAME_PREFIX = "Google-MyTracks-"; private static final String SQL_KEY = "sql="; private static final String CONTENT_TYPE = "application/x-www-form-urlencoded"; private static final String FUSION_TABLES_BASE_URL = "https://www.google.com/fusiontables/api/query"; private static final int MAX_POINTS_PER_UPLOAD = 2048; private static final String GDATA_VERSION = "2"; private static final int PROGRESS_CREATE_TABLE = 0; private static final int PROGRESS_UNLIST_TABLE = 5; private static final int PROGRESS_UPLOAD_DATA_MIN = 10; private static final int PROGRESS_UPLOAD_DATA_MAX = 90; private static final int PROGRESS_UPLOAD_WAYPOINTS = 95; private static final int PROGRESS_COMPLETE = 100; // See http://support.google.com/fusiontables/bin/answer.py?hl=en&answer=185991 private static final String MARKER_TYPE_START = "large_green"; private static final String MARKER_TYPE_END = "large_red"; private static final String MARKER_TYPE_WAYPOINT = "large_yellow"; private static final String TAG = SendFusionTablesAsyncTask.class.getSimpleName(); private final Context context; private final long trackId; private final Account account; private final MyTracksProviderUtils myTracksProviderUtils; private final HttpRequestFactory httpRequestFactory; // The following variables are for per upload states private String authToken; private String tableId; int currentSegment; public SendFusionTablesAsyncTask( SendFusionTablesActivity activity, long trackId, Account account) { super(activity); this.trackId = trackId; this.account = account; context = activity.getApplicationContext(); myTracksProviderUtils = MyTracksProviderUtils.Factory.get(context); HttpTransport transport = ApiAdapterFactory.getApiAdapter().getHttpTransport(); httpRequestFactory = transport.createRequestFactory(new MethodOverride()); } @Override protected void closeConnection() { // No action needed for Google Fusion Tables } @Override protected void saveResult() { Track track = myTracksProviderUtils.getTrack(trackId); if (track != null) { track.setTableId(tableId); myTracksProviderUtils.updateTrack(track); } else { Log.d(TAG, "No track"); } } @Override protected boolean performTask() { // Reset the per upload states authToken = null; tableId = null; currentSegment = 1; try { authToken = AccountManager.get(context).blockingGetAuthToken( account, SendFusionTablesUtils.SERVICE, false); } catch (OperationCanceledException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } catch (AuthenticatorException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } catch (IOException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } Track track = myTracksProviderUtils.getTrack(trackId); if (track == null) { Log.d(TAG, "Track is null"); return false; } // Create a new table publishProgress(PROGRESS_CREATE_TABLE); if (!createNewTable(track)) { // Retry upload in case the auth token is invalid return retryTask(); } // Unlist table publishProgress(PROGRESS_UNLIST_TABLE); if (!unlistTable()) { return false; } // Upload all the track points plus the start and end markers publishProgress(PROGRESS_UPLOAD_DATA_MIN); if (!uploadAllTrackPoints(track)) { return false; } // Upload all the waypoints publishProgress(PROGRESS_UPLOAD_WAYPOINTS); if (!uploadWaypoints()) { return false; } publishProgress(PROGRESS_COMPLETE); return true; } @Override protected void invalidateToken() { AccountManager.get(context).invalidateAuthToken(Constants.ACCOUNT_TYPE, authToken); } /** * Creates a new table. * * @param track the track * @return true if success. */ private boolean createNewTable(Track track) { String query = "CREATE TABLE '" + SendFusionTablesUtils.escapeSqlString(track.getName()) + "' (name:STRING,description:STRING,geometry:LOCATION,marker:STRING)"; return sendQuery(query, true); } /** * Unlists a table. * * @return true if success. */ private boolean unlistTable() { String query = "UPDATE TABLE " + tableId + " SET VISIBILITY = UNLISTED"; return sendQuery(query, false); } /** * Uploads all the points in a track. * * @param track the track * @return true if success. */ private boolean uploadAllTrackPoints(Track track) { Cursor locationsCursor = null; try { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean metricUnits = prefs.getBoolean(context.getString(R.string.metric_units_key), true); locationsCursor = myTracksProviderUtils.getLocationsCursor(trackId, 0, -1, false); if (locationsCursor == null) { Log.d(TAG, "Location cursor is null"); return false; } int locationsCount = locationsCursor.getCount(); List<Location> locations = new ArrayList<Location>(MAX_POINTS_PER_UPLOAD); Location lastLocation = null; // For chart server, limit the number of elevation readings to 250. int elevationSamplingFrequency = Math.max(1, (int) (locationsCount / 250.0)); TripStatisticsBuilder tripStatisticsBuilder = new TripStatisticsBuilder( track.getStatistics().getStartTime()); DoubleBuffer elevationBuffer = new DoubleBuffer(Constants.ELEVATION_SMOOTHING_FACTOR); Vector<Double> distances = new Vector<Double>(); Vector<Double> elevations = new Vector<Double>(); for (int i = 0; i < locationsCount; i++) { locationsCursor.moveToPosition(i); Location location = myTracksProviderUtils.createLocation(locationsCursor); locations.add(location); if (i == 0) { // Create a start marker String name = context.getString(R.string.marker_label_start, track.getName()); if (!createNewPoint(name, "", location, MARKER_TYPE_START)) { Log.d(TAG, "Unable to create the start marker"); return false; } } // Add to the distances and elevations vectors if (LocationUtils.isValidLocation(location)) { tripStatisticsBuilder.addLocation(location, location.getTime()); // All points go into the smoothing buffer elevationBuffer.setNext(metricUnits ? location.getAltitude() : location.getAltitude() * UnitConversions.M_TO_FT); if (i % elevationSamplingFrequency == 0) { distances.add(tripStatisticsBuilder.getStatistics().getTotalDistance()); elevations.add(elevationBuffer.getAverage()); } lastLocation = location; } // Upload periodically int readCount = i + 1; if (readCount % MAX_POINTS_PER_UPLOAD == 0) { if (!prepareAndUploadPoints(track, locations, false)) { Log.d(TAG, "Unable to upload points"); return false; } updateProgress(readCount, locationsCount); locations.clear(); } } // Do a final upload with the remaining locations if (!prepareAndUploadPoints(track, locations, true)) { Log.d(TAG, "Unable to upload points"); return false; } // Create an end marker if (lastLocation != null) { distances.add(tripStatisticsBuilder.getStatistics().getTotalDistance()); elevations.add(elevationBuffer.getAverage()); DescriptionGenerator descriptionGenerator = new DescriptionGeneratorImpl(context); track.setDescription("<p>" + track.getDescription() + "</p><p>" + descriptionGenerator.generateTrackDescription(track, distances, elevations) + "</p>"); String name = context.getString(R.string.marker_label_end, track.getName()); if (!createNewPoint(name, track.getDescription(), lastLocation, MARKER_TYPE_END)) { Log.d(TAG, "Unable to create the end marker"); return false; } } return true; } finally { if (locationsCursor != null) { locationsCursor.close(); } } } /** * Prepares and uploads a list of locations from a track. * * @param track the track * @param locations the locations from the track * @param lastBatch true if it is the last batch of locations */ private boolean prepareAndUploadPoints(Track track, List<Location> locations, boolean lastBatch) { // Prepare locations ArrayList<Track> splitTracks = SendToGoogleUtils.prepareLocations(track, locations); // Upload segments boolean onlyOneSegment = lastBatch && currentSegment == 1 && splitTracks.size() == 1; for (Track splitTrack : splitTracks) { if (!onlyOneSegment) { splitTrack.setName(context.getString( R.string.send_google_track_part_label, splitTrack.getName(), currentSegment)); } if (!createNewLineString(splitTrack)) { Log.d(TAG, "Upload points failed"); return false; } currentSegment++; } return true; } /** * Uploads all the waypoints. * * @return true if success. */ private boolean uploadWaypoints() { Cursor cursor = null; try { cursor = myTracksProviderUtils.getWaypointsCursor( trackId, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS); if (cursor != null && cursor.moveToFirst()) { // This will skip the first waypoint (it carries the stats for the // track). while (cursor.moveToNext()) { Waypoint wpt = myTracksProviderUtils.createWaypoint(cursor); if (!createNewPoint( wpt.getName(), wpt.getDescription(), wpt.getLocation(), MARKER_TYPE_WAYPOINT)) { Log.d(TAG, "Upload waypoints failed"); return false; } } } return true; } finally { if (cursor != null) { cursor.close(); } } } /** * Creates a new row in Google Fusion Tables representing a marker as a * point. * * @param name the marker name * @param description the marker description * @param location the marker location * @param type the marker type * @return true if success. */ private boolean createNewPoint( String name, String description, Location location, String type) { String query = "INSERT INTO " + tableId + " (name,description,geometry,marker) VALUES " + SendFusionTablesUtils.formatSqlValues( name, description, SendFusionTablesUtils.getKmlPoint(location), type); return sendQuery(query, false); } /** * Creates a new row in Google Fusion Tables representing the track as a * line segment. * * @param track the track * @return true if success. */ private boolean createNewLineString(Track track) { String query = "INSERT INTO " + tableId + " (name,description,geometry) VALUES " + SendFusionTablesUtils.formatSqlValues(track.getName(), track.getDescription(), SendFusionTablesUtils.getKmlLineString(track.getLocations())); return sendQuery(query, false); } /** * Sends a query to Google Fusion Tables. * * @param query the Fusion Tables SQL query * @param setTableId true to set the table id * @return true if success. */ private boolean sendQuery(String query, boolean setTableId) { Log.d(TAG, "SendQuery: " + query); if (isCancelled()) { return false; } GenericUrl url = new GenericUrl(FUSION_TABLES_BASE_URL); String sql = SQL_KEY + URLEncoder.encode(query); ByteArrayInputStream inputStream = new ByteArrayInputStream(Strings.toBytesUtf8(sql)); InputStreamContent inputStreamContent = new InputStreamContent(null, inputStream); HttpRequest request; try { request = httpRequestFactory.buildPostRequest(url, inputStreamContent); } catch (IOException e) { Log.d(TAG, "Unable to build request", e); return false; } GoogleHeaders headers = new GoogleHeaders(); headers.setApplicationName(APP_NAME_PREFIX + SystemUtils.getMyTracksVersion(context)); headers.gdataVersion = GDATA_VERSION; headers.setGoogleLogin(authToken); headers.setContentType(CONTENT_TYPE); request.setHeaders(headers); HttpResponse response; try { response = request.execute(); } catch (IOException e) { Log.d(TAG, "Unable to execute request", e); return false; } boolean isSuccess = response.isSuccessStatusCode(); if (isSuccess) { InputStream content = null; try { content = response.getContent(); if (setTableId) { tableId = SendFusionTablesUtils.getTableId(content); if (tableId == null) { Log.d(TAG, "tableId is null"); return false; } } } catch (IOException e) { Log.d(TAG, "Unable to get response", e); return false; } finally { if (content != null) { try { content.close(); } catch (IOException e) { Log.d(TAG, "Unable to close content", e); } } } } else { Log.d(TAG, "sendQuery failed: " + response.getStatusMessage() + ": " + response.getStatusCode()); return false; } return true; } /** * Updates the progress based on the number of locations uploaded. * * @param uploaded the number of uploaded locations * @param total the number of total locations */ private void updateProgress(int uploaded, int total) { double totalPercentage = (double) uploaded / total; double scaledPercentage = totalPercentage * (PROGRESS_UPLOAD_DATA_MAX - PROGRESS_UPLOAD_DATA_MIN) + PROGRESS_UPLOAD_DATA_MIN; publishProgress((int) scaledPercentage); } }
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.fusiontables; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.api.client.util.Strings; import com.google.common.annotations.VisibleForTesting; import android.location.Location; import android.util.Log; import java.io.IOException; import java.io.InputStream; import java.io.UnsupportedEncodingException; import java.util.ArrayList; import java.util.Locale; /** * Utilities for sending a track to Google Fusion Tables. * * @author Jimmy Shih */ public class SendFusionTablesUtils { public static final String SERVICE = "fusiontables"; private static final String UTF8 = "UTF8"; private static final String TABLE_ID = "tableid"; private static final String MAP_URL = "https://www.google.com/fusiontables/embedviz?" + "viz=MAP&q=select+col0,+col1,+col2,+col3+from+%s+&h=false&lat=%f&lng=%f&z=%d&t=1&l=col2"; private static final String TAG = SendFusionTablesUtils.class.getSimpleName(); private SendFusionTablesUtils() {} /** * Gets the url to visualize a fusion table on a map. * * @param track the track * @return the url. */ public static String getMapUrl(Track track) { if (track == null || track.getStatistics() == null || track.getTableId() == null) { Log.e(TAG, "Invalid track"); return null; } // TODO(jshih): Determine the correct bounding box and zoom level that // will show the entire track. TripStatistics stats = track.getStatistics(); double latE6 = stats.getBottom() + (stats.getTop() - stats.getBottom()) / 2; double lonE6 = stats.getLeft() + (stats.getRight() - stats.getLeft()) / 2; int z = 15; // We explicitly format with Locale.US because we need the latitude and // longitude to be formatted in a locale-independent manner. Specifically, // we need the decimal separator to be a period rather than a comma. return String.format( Locale.US, MAP_URL, track.getTableId(), latE6 / 1.E6, lonE6 / 1.E6, z); } /** * Formats an array of values as a SQL VALUES like * ('value1','value2',...,'value_n'). Escapes single quotes with two single * quotes. * * @param values an array of values to format * @return the formated SQL VALUES. */ public static String formatSqlValues(String... values) { StringBuilder builder = new StringBuilder("("); for (int i = 0; i < values.length; i++) { if (i > 0) { builder.append(','); } builder.append('\''); builder.append(escapeSqlString(values[i])); builder.append('\''); } builder.append(")"); return builder.toString(); } /** * Escapes a SQL string. Escapes single quotes with two single quotes. * * @param string the string * @return the escaped string. */ public static String escapeSqlString(String string) { return string.replaceAll("'", "''"); } /** * Gets a KML Point value representing a location. * * @param location the location * @return the KML Point value. */ public static String getKmlPoint(Location location) { StringBuilder builder = new StringBuilder("<Point><coordinates>"); if (location != null) { appendLocation(location, builder); } builder.append("</coordinates></Point>"); return builder.toString(); } /** * Gets a KML LineString value representing an array of locations. * * @param locations the locations. * @return the KML LineString value. */ public static String getKmlLineString(ArrayList<Location> locations) { StringBuilder builder = new StringBuilder("<LineString><coordinates>"); if (locations != null) { for (int i = 0; i < locations.size(); i++) { if (i != 0) { builder.append(' '); } appendLocation(locations.get(i), builder); } } builder.append("</coordinates></LineString>"); return builder.toString(); } /** * Appends a location to a string builder using "longitude,latitude[,altitude]" format. * * @param location the location * @param builder the string builder */ @VisibleForTesting static void appendLocation(Location location, StringBuilder builder) { builder.append(location.getLongitude()).append(",").append(location.getLatitude()); if (location.hasAltitude()) { builder.append(","); builder.append(location.getAltitude()); } } /** * Gets the table id from an input streawm. * * @param inputStream input stream * @return table id or null if not available. */ public static String getTableId(InputStream inputStream) { if (inputStream == null) { Log.d(TAG, "inputStream is null"); return null; } byte[] result = new byte[1024]; int read; try { read = inputStream.read(result); } catch (IOException e) { Log.d(TAG, "Unable to read result", e); return null; } if (read == -1) { Log.d(TAG, "no data read"); return null; } String s; try { s = new String(result, 0, read, UTF8); } catch (UnsupportedEncodingException e) { Log.d(TAG, "Unable to parse result", e); return null; } String[] lines = s.split(Strings.LINE_SEPARATOR); if (lines.length > 1 && lines[0].equals(TABLE_ID)) { // returns the next line return lines[1]; } else { Log.d(TAG, "Response is not valid: " + s); return null; } } }
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.backup; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.Dialog; import android.content.DialogInterface; import android.os.Bundle; import android.widget.Toast; /** * Activity to backup data to the SD card. * * @author Jimmy Shih */ public class BackupActivity extends Activity { private static final int DIALOG_PROGRESS_ID = 0; private BackupAsyncTask backupAsyncTask; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Object retained = getLastNonConfigurationInstance(); if (retained instanceof BackupAsyncTask) { backupAsyncTask = (BackupAsyncTask) retained; backupAsyncTask.setActivity(this); } else { backupAsyncTask = new BackupAsyncTask(this); backupAsyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { backupAsyncTask.setActivity(null); return backupAsyncTask; } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_PROGRESS_ID) { return null; } return DialogUtils.createSpinnerProgressDialog( this, R.string.settings_backup_now_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }); } /** * Invokes when the associated AsyncTask completes. * * @param success true if the AsyncTask is successful * @param messageId message id to display to user */ public void onAsyncTaskCompleted(boolean success, int messageId) { removeDialog(DIALOG_PROGRESS_ID); Toast.makeText(this, messageId, success ? Toast.LENGTH_SHORT : Toast.LENGTH_LONG).show(); finish(); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } }
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.backup; import com.google.android.apps.mytracks.Constants; import android.annotation.TargetApi; import android.app.backup.BackupAgent; import android.app.backup.BackupDataInput; import android.app.backup.BackupDataOutput; import android.content.Context; import android.content.SharedPreferences; import android.os.ParcelFileDescriptor; import android.util.Log; import java.io.IOException; /** * Backup agent used to backup and restore all preferences. * We use a regular {@link BackupAgent} instead of the convenient helpers in * order to be future-proof (assuming we'll want to back up tracks later). * * @author Rodrigo Damazio */ @TargetApi(8) public class MyTracksBackupAgent extends BackupAgent { private static final String PREFERENCES_ENTITY = "prefs"; @Override public void onBackup(ParcelFileDescriptor oldState, BackupDataOutput data, ParcelFileDescriptor newState) throws IOException { Log.i(Constants.TAG, "Performing backup"); SharedPreferences preferences = this.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); backupPreferences(data, preferences); Log.i(Constants.TAG, "Backup complete"); } private void backupPreferences(BackupDataOutput data, SharedPreferences preferences) throws IOException { PreferenceBackupHelper preferenceDumper = createPreferenceBackupHelper(); byte[] dumpedContents = preferenceDumper.exportPreferences(preferences); data.writeEntityHeader(PREFERENCES_ENTITY, dumpedContents.length); data.writeEntityData(dumpedContents, dumpedContents.length); } protected PreferenceBackupHelper createPreferenceBackupHelper() { return new PreferenceBackupHelper(); } @Override public void onRestore(BackupDataInput data, int appVersionCode, ParcelFileDescriptor newState) throws IOException { Log.i(Constants.TAG, "Restoring from backup"); while (data.readNextHeader()) { String key = data.getKey(); Log.d(Constants.TAG, "Restoring entity " + key); if (key.equals(PREFERENCES_ENTITY)) { restorePreferences(data); } else { Log.e(Constants.TAG, "Found unknown backup entity: " + key); data.skipEntityData(); } } Log.i(Constants.TAG, "Done restoring from backup"); } /** * Restores all preferences from the backup. * * @param data the backup data to read from * @throws IOException if there are any errors while reading */ private void restorePreferences(BackupDataInput data) throws IOException { int dataSize = data.getDataSize(); byte[] dataBuffer = new byte[dataSize]; int read = data.readEntityData(dataBuffer, 0, dataSize); if (read != dataSize) { throw new IOException("Failed to read all the preferences data"); } SharedPreferences preferences = this.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); PreferenceBackupHelper importer = createPreferenceBackupHelper(); importer.importPreferences(dataBuffer, preferences); } }
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.backup; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.apps.mytracks.util.StringUtils; 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.content.Intent; import android.os.Bundle; import android.widget.Toast; import java.util.Arrays; import java.util.Comparator; import java.util.Date; /** * An activity to choose a date to restore from. * * @author Jimmy Shih */ public class RestoreChooserActivity extends Activity { private static final Comparator<Date> REVERSE_DATE_ORDER = new Comparator<Date>() { @Override public int compare(Date s1, Date s2) { return s2.compareTo(s1); } }; private static final int DIALOG_CHOOSER_ID = 0; private Date[] backupDates; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); ExternalFileBackup externalFileBackup = new ExternalFileBackup(this); // Get the list of existing backups if (!FileUtils.isSdCardAvailable()) { Toast.makeText(this, R.string.sd_card_error_no_storage, Toast.LENGTH_LONG).show(); finish(); return; } if (!externalFileBackup.isBackupsDirectoryAvailable(false)) { Toast.makeText(this, R.string.settings_backup_restore_no_backup, Toast.LENGTH_LONG).show(); finish(); return; } backupDates = externalFileBackup.getAvailableBackups(); if (backupDates == null || backupDates.length == 0) { Toast.makeText(this, R.string.settings_backup_restore_no_backup, Toast.LENGTH_LONG).show(); finish(); return; } if (backupDates.length == 1) { startActivity(new Intent(this, RestoreActivity.class) .putExtra(RestoreActivity.EXTRA_DATE, backupDates[0].getTime())); finish(); return; } Arrays.sort(backupDates, REVERSE_DATE_ORDER); showDialog(DIALOG_CHOOSER_ID); } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_CHOOSER_ID) { return null; } String items[] = new String[backupDates.length]; for (int i = 0; i < backupDates.length; i++) { items[i] = StringUtils.formatDateTime(this, backupDates[i].getTime()); } return new AlertDialog.Builder(this) .setCancelable(true) .setItems(items, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { startActivity(new Intent(RestoreChooserActivity.this, RestoreActivity.class).putExtra( RestoreActivity.EXTRA_DATE, backupDates[which].getTime())); finish(); } }) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setTitle(R.string.settings_backup_restore_select_title) .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.io.backup; import com.google.android.maps.mytracks.R; import android.os.AsyncTask; import android.util.Log; import java.io.IOException; import java.util.Date; /** * AsyncTask to restore data from the SD card. * * @author Jimmy Shih */ public class RestoreAsyncTask extends AsyncTask<Void, Integer, Boolean> { private static final String TAG = RestoreAsyncTask.class.getSimpleName(); private RestoreActivity restoreActivity; private final Date date; private final ExternalFileBackup externalFileBackup; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; // message id to return to the activity private int messageId; /** * Creates an AsyncTask. * * @param restoreActivity the activity currently associated with this * AsyncTask * @param date the date to retore from */ public RestoreAsyncTask(RestoreActivity restoreActivity, Date date) { this.restoreActivity = restoreActivity; this.date = date; this.externalFileBackup = new ExternalFileBackup(restoreActivity); success = false; completed = false; messageId = R.string.sd_card_error_read_file; } /** * Sets the current {@link RestoreActivity} associated with this AyncTask. * * @param activity the current {@link RestoreActivity}, can be null */ public void setActivity(RestoreActivity activity) { this.restoreActivity = activity; if (completed && restoreActivity != null) { restoreActivity.onAsyncTaskCompleted(success, messageId); } } @Override protected void onPreExecute() { if (restoreActivity != null) { restoreActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { try { externalFileBackup.restoreFromDate(date); messageId = R.string.sd_card_success_read_file; return true; } catch (IOException e) { Log.d(TAG, "IO exception", e); return false; } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (restoreActivity != null) { restoreActivity.onAsyncTaskCompleted(success, messageId); } } }
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.backup; import android.annotation.TargetApi; import android.app.backup.BackupManager; import android.content.Context; import android.content.SharedPreferences; /** * Implementation of {@link BackupPreferencesListener} that calls the * {@link BackupManager}. <br> * For API Level 8 or higher. * * @author Jimmy Shih */ @TargetApi(8) public class Api8BackupPreferencesListener implements BackupPreferencesListener { private final BackupManager backupManager; public Api8BackupPreferencesListener(Context context) { this.backupManager = new BackupManager(context); } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { backupManager.dataChanged(); } }
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.backup; import android.content.SharedPreferences.OnSharedPreferenceChangeListener; /** * Shared preferences listener which notifies the backup system about new data * being available for backup. * * @author Rodrigo Damazio */ public interface BackupPreferencesListener extends OnSharedPreferenceChangeListener { }
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.backup; import static com.google.android.apps.mytracks.content.ContentTypeIds.*; import com.google.android.apps.mytracks.content.TrackPointsColumns; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.WaypointsColumns; public class BackupColumns { /** Columns that go into the backup. */ public static final String[] POINTS_BACKUP_COLUMNS = { TrackPointsColumns._ID, TrackPointsColumns.TRACKID, TrackPointsColumns.LATITUDE, TrackPointsColumns.LONGITUDE, TrackPointsColumns.ALTITUDE, TrackPointsColumns.BEARING, TrackPointsColumns.TIME, TrackPointsColumns.ACCURACY, TrackPointsColumns.SPEED, TrackPointsColumns.SENSOR }; public static final byte[] POINTS_BACKUP_COLUMN_TYPES = { LONG_TYPE_ID, LONG_TYPE_ID, INT_TYPE_ID, INT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, LONG_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, BLOB_TYPE_ID }; public static final String[] TRACKS_BACKUP_COLUMNS = { TracksColumns._ID, TracksColumns.NAME, TracksColumns.DESCRIPTION, TracksColumns.CATEGORY, TracksColumns.STARTID, TracksColumns.STOPID, TracksColumns.STARTTIME, TracksColumns.STOPTIME, TracksColumns.NUMPOINTS, TracksColumns.TOTALDISTANCE, TracksColumns.TOTALTIME, TracksColumns.MOVINGTIME, TracksColumns.AVGSPEED, TracksColumns.AVGMOVINGSPEED, TracksColumns.MAXSPEED, TracksColumns.MINELEVATION, TracksColumns.MAXELEVATION, TracksColumns.ELEVATIONGAIN, TracksColumns.MINGRADE, TracksColumns.MAXGRADE, TracksColumns.MINLAT, TracksColumns.MAXLAT, TracksColumns.MINLON, TracksColumns.MAXLON, TracksColumns.MAPID, TracksColumns.TABLEID}; public static final byte[] TRACKS_BACKUP_COLUMN_TYPES = { LONG_TYPE_ID, STRING_TYPE_ID, STRING_TYPE_ID, STRING_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, INT_TYPE_ID, FLOAT_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, INT_TYPE_ID, INT_TYPE_ID, INT_TYPE_ID, INT_TYPE_ID, STRING_TYPE_ID, STRING_TYPE_ID}; public static final String[] WAYPOINTS_BACKUP_COLUMNS = { WaypointsColumns._ID, WaypointsColumns.TRACKID, WaypointsColumns.NAME, WaypointsColumns.DESCRIPTION, WaypointsColumns.CATEGORY, WaypointsColumns.ICON, WaypointsColumns.TYPE, WaypointsColumns.LENGTH, WaypointsColumns.DURATION, WaypointsColumns.STARTTIME, WaypointsColumns.STARTID, WaypointsColumns.STOPID, WaypointsColumns.LATITUDE, WaypointsColumns.LONGITUDE, WaypointsColumns.ALTITUDE, WaypointsColumns.BEARING, WaypointsColumns.TIME, WaypointsColumns.ACCURACY, WaypointsColumns.SPEED, WaypointsColumns.TOTALDISTANCE, WaypointsColumns.TOTALTIME, WaypointsColumns.MOVINGTIME, WaypointsColumns.AVGSPEED, WaypointsColumns.AVGMOVINGSPEED, WaypointsColumns.MAXSPEED, WaypointsColumns.MINELEVATION, WaypointsColumns.MAXELEVATION, WaypointsColumns.ELEVATIONGAIN, WaypointsColumns.MINGRADE, WaypointsColumns.MAXGRADE }; public static final byte[] WAYPOINTS_BACKUP_COLUMN_TYPES = { LONG_TYPE_ID, LONG_TYPE_ID, STRING_TYPE_ID, STRING_TYPE_ID, STRING_TYPE_ID, STRING_TYPE_ID, INT_TYPE_ID, FLOAT_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, INT_TYPE_ID, INT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, LONG_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, LONG_TYPE_ID, LONG_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID, FLOAT_TYPE_ID }; }
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.backup; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.maps.mytracks.R; import android.os.AsyncTask; import android.util.Log; import java.io.IOException; /** * AsyncTask to backup data to the SD card. * * @author Jimmy Shih */ public class BackupAsyncTask extends AsyncTask<Void, Integer, Boolean> { private static final String TAG = BackupAsyncTask.class.getSimpleName(); private BackupActivity backupActivity; private final ExternalFileBackup externalFileBackup; // true if the AsyncTask result is success private boolean success; // true if the AsyncTask has completed private boolean completed; // message id to return to the activity private int messageId; /** * Creates an AsyncTask. * * @param backupActivity the activity currently associated with this * AsyncTask */ public BackupAsyncTask(BackupActivity backupActivity) { this.backupActivity = backupActivity; this.externalFileBackup = new ExternalFileBackup(backupActivity); success = false; completed = false; messageId = R.string.sd_card_error_write_file; } /** * Sets the current {@link BackupActivity} associated with this AyncTask. * * @param activity the current {@link BackupActivity}, can be null */ public void setActivity(BackupActivity activity) { this.backupActivity = activity; if (completed && backupActivity != null) { backupActivity.onAsyncTaskCompleted(success, messageId); } } @Override protected void onPreExecute() { if (backupActivity != null) { backupActivity.showProgressDialog(); } } @Override protected Boolean doInBackground(Void... params) { if (!FileUtils.isSdCardAvailable()) { messageId = R.string.sd_card_error_no_storage; return false; } if (!externalFileBackup.isBackupsDirectoryAvailable(true)) { messageId = R.string.sd_card_error_create_dir; return false; } try { externalFileBackup.writeToDefaultFile(); messageId = R.string.sd_card_success_write_file; return true; } catch (IOException e) { Log.d(TAG, "IO exception", e); return false; } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (backupActivity != null) { backupActivity.onAsyncTaskCompleted(success, messageId); } } }
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.backup; import com.google.android.apps.mytracks.content.ContentTypeIds; import android.database.Cursor; import android.database.MergeCursor; import java.io.DataOutputStream; import java.io.IOException; /** * Database dumper which is able to write only part of the database * according to some query. * * This dumper is symmetrical to {@link DatabaseImporter}. * * @author Rodrigo Damazio */ class DatabaseDumper { /** The names of the columns being dumped. */ private final String[] columnNames; /** The types of the columns being dumped. */ private final byte[] columnTypes; /** Whether to output null fields. */ private final boolean outputNullFields; // Temporary state private int[] columnIndices; private boolean[] hasFields; public DatabaseDumper(String[] columnNames, byte[] columnTypes, boolean outputNullFields) { if (columnNames.length != columnTypes.length) { throw new IllegalArgumentException("Names don't match types"); } this.columnNames = columnNames; this.columnTypes = columnTypes; this.outputNullFields = outputNullFields; } /** * Writes the header plus all rows that can be read from the given cursor. * This assumes the cursor will have the same column and column indices on * every row (and thus may not work with a {@link MergeCursor}). */ public void writeAllRows(Cursor cursor, DataOutputStream writer) throws IOException { writeHeaders(cursor, cursor.getCount(), writer); if (!cursor.moveToFirst()) { return; } do { writeOneRow(cursor, writer); } while (cursor.moveToNext()); } /** * Writes just the headers for the data that will come from the given cursor. * The headers include column information and the number of rows that will be * written. * * @param cursor the cursor to get columns from * @param numRows the number of rows that will be later written * @param writer the output to write to * @throws IOException if there are errors while writing */ public void writeHeaders(Cursor cursor, int numRows, DataOutputStream writer) throws IOException { initializeCachedValues(cursor); writeQueryMetadata(numRows, writer); } /** * Writes the current row from the cursor. The cursor is not advanced. * This must be called after {@link #writeHeaders}. * * @param cursor the cursor to write data from * @param writer the output to write to * @throws IOException if there are any errors while writing */ public void writeOneRow(Cursor cursor, DataOutputStream writer) throws IOException { if (columnIndices == null) { throw new IllegalStateException( "Cannot write rows before writing the header"); } if (columnIndices.length > Long.SIZE) { throw new IllegalArgumentException("Too many fields"); } // Build a bitmap of which fields are present long fields = 0; for (int i = 0; i < columnIndices.length; i++) { hasFields[i] = !cursor.isNull(columnIndices[i]); fields |= (hasFields[i] ? 1 : 0) << i; } writer.writeLong(fields); // Actually write the present fields for (int i = 0; i < columnIndices.length; i++) { if (hasFields[i]) { writeCell(columnIndices[i], columnTypes[i], cursor, writer); } else if (outputNullFields) { writeDummyCell(columnTypes[i], writer); } } } /** * Initializes the column indices and other temporary state for reading from * the given cursor. */ private void initializeCachedValues(Cursor cursor) { // These indices are constant for every row (unless we're fed a MergeCursor) if (cursor instanceof MergeCursor) { throw new IllegalArgumentException("Cannot use a MergeCursor"); } columnIndices = new int[columnNames.length]; for (int i = 0; i < columnNames.length; i++) { String columnName = columnNames[i]; columnIndices[i] = cursor.getColumnIndexOrThrow(columnName); } hasFields = new boolean[columnIndices.length]; } /** * Writes metadata about the query to be dumped. * * @param numRows the number of rows that will be dumped * @param writer the output to write to * @throws IOException if there are any errors while writing */ private void writeQueryMetadata( int numRows, DataOutputStream writer) throws IOException { // Write column data writer.writeInt(columnNames.length); for (int i = 0; i < columnNames.length; i++) { String columnName = columnNames[i]; byte columnType = columnTypes[i]; writer.writeUTF(columnName); writer.writeByte(columnType); } // Write the number of rows writer.writeInt(numRows); } /** * Writes a single cell of the database to the output. * * @param columnIdx the column index to read from * @param columnTypeId the type of the column to be read * @param cursor the cursor to read from * @param writer the output to write to * @throws IOException if there are any errors while writing */ private void writeCell( int columnIdx, byte columnTypeId, Cursor cursor, DataOutputStream writer) throws IOException { switch (columnTypeId) { case ContentTypeIds.LONG_TYPE_ID: writer.writeLong(cursor.getLong(columnIdx)); return; case ContentTypeIds.DOUBLE_TYPE_ID: writer.writeDouble(cursor.getDouble(columnIdx)); return; case ContentTypeIds.FLOAT_TYPE_ID: writer.writeFloat(cursor.getFloat(columnIdx)); return; case ContentTypeIds.BOOLEAN_TYPE_ID: writer.writeBoolean(cursor.getInt(columnIdx) != 0); return; case ContentTypeIds.INT_TYPE_ID: writer.writeInt(cursor.getInt(columnIdx)); return; case ContentTypeIds.STRING_TYPE_ID: writer.writeUTF(cursor.getString(columnIdx)); return; case ContentTypeIds.BLOB_TYPE_ID: { byte[] blob = cursor.getBlob(columnIdx); writer.writeInt(blob.length); writer.write(blob); return; } default: throw new IllegalArgumentException( "Type " + columnTypeId + " not supported"); } } /** * Writes a dummy cell value to the output. * * @param columnTypeId the type of the value to write * @throws IOException if there are any errors while writing */ private void writeDummyCell(byte columnTypeId, DataOutputStream writer) throws IOException { switch (columnTypeId) { case ContentTypeIds.LONG_TYPE_ID: writer.writeLong(0L); return; case ContentTypeIds.DOUBLE_TYPE_ID: writer.writeDouble(0.0); return; case ContentTypeIds.FLOAT_TYPE_ID: writer.writeFloat(0.0f); return; case ContentTypeIds.BOOLEAN_TYPE_ID: writer.writeBoolean(false); return; case ContentTypeIds.INT_TYPE_ID: writer.writeInt(0); return; case ContentTypeIds.STRING_TYPE_ID: writer.writeUTF(""); return; case ContentTypeIds.BLOB_TYPE_ID: writer.writeInt(0); return; default: throw new IllegalArgumentException( "Type " + columnTypeId + " not supported"); } } }
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.backup; import com.google.android.apps.mytracks.content.ContentTypeIds; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import java.io.ByteArrayInputStream; import java.io.ByteArrayOutputStream; import java.io.DataInputStream; import java.io.DataOutputStream; import java.io.IOException; import java.util.Map; /** * Helper for backing up and restoring shared preferences. * * @author Rodrigo Damazio */ class PreferenceBackupHelper { private static final int BUFFER_SIZE = 2048; /** * Exports all shared preferences from the given object as a byte array. * * @param preferences the preferences to export * @return the corresponding byte array * @throws IOException if there are any errors while writing to the byte array */ public byte[] exportPreferences(SharedPreferences preferences) throws IOException { ByteArrayOutputStream bufStream = new ByteArrayOutputStream(BUFFER_SIZE); DataOutputStream outWriter = new DataOutputStream(bufStream); exportPreferences(preferences, outWriter); return bufStream.toByteArray(); } /** * Exports all shared preferences from the given object into the given output * stream. * * @param preferences the preferences to export * @param outWriter the stream to write them to * @throws IOException if there are any errors while writing the output */ public void exportPreferences( SharedPreferences preferences, DataOutputStream outWriter) throws IOException { Map<String, ?> values = preferences.getAll(); outWriter.writeInt(values.size()); for (Map.Entry<String, ?> entry : values.entrySet()) { writePreference(entry.getKey(), entry.getValue(), outWriter); } outWriter.flush(); } /** * Imports all preferences from the given byte array. * * @param data the byte array to read preferences from * @param preferences the shared preferences to edit * @throws IOException if there are any errors while reading */ public void importPreferences(byte[] data, SharedPreferences preferences) throws IOException { ByteArrayInputStream bufStream = new ByteArrayInputStream(data); DataInputStream reader = new DataInputStream(bufStream); importPreferences(reader, preferences); } /** * Imports all preferences from the given stream. * * @param reader the stream to read from * @param preferences the shared preferences to edit * @throws IOException if there are any errors while reading */ public void importPreferences(DataInputStream reader, SharedPreferences preferences) throws IOException { Editor editor = preferences.edit(); editor.clear(); int numPreferences = reader.readInt(); for (int i = 0; i < numPreferences; i++) { String name = reader.readUTF(); byte typeId = reader.readByte(); readAndSetPreference(name, typeId, reader, editor); } ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } /** * Reads a single preference and sets it into the given editor. * * @param name the name of the preference to read * @param typeId the type ID of the preference to read * @param reader the reader to read from * @param editor the editor to set the preference in * @throws IOException if there are errors while reading */ private void readAndSetPreference(String name, byte typeId, DataInputStream reader, Editor editor) throws IOException { switch (typeId) { case ContentTypeIds.BOOLEAN_TYPE_ID: editor.putBoolean(name, reader.readBoolean()); return; case ContentTypeIds.LONG_TYPE_ID: editor.putLong(name, reader.readLong()); return; case ContentTypeIds.FLOAT_TYPE_ID: editor.putFloat(name, reader.readFloat()); return; case ContentTypeIds.INT_TYPE_ID: editor.putInt(name, reader.readInt()); return; case ContentTypeIds.STRING_TYPE_ID: editor.putString(name, reader.readUTF()); return; } } /** * Writes a single preference. * * @param name the name of the preference to write * @param value the correctly-typed value of the preference * @param writer the writer to write to * @throws IOException if there are errors while writing */ private void writePreference(String name, Object value, DataOutputStream writer) throws IOException { writer.writeUTF(name); if (value instanceof Boolean) { writer.writeByte(ContentTypeIds.BOOLEAN_TYPE_ID); writer.writeBoolean((Boolean) value); } else if (value instanceof Integer) { writer.writeByte(ContentTypeIds.INT_TYPE_ID); writer.writeInt((Integer) value); } else if (value instanceof Long) { writer.writeByte(ContentTypeIds.LONG_TYPE_ID); writer.writeLong((Long) value); } else if (value instanceof Float) { writer.writeByte(ContentTypeIds.FLOAT_TYPE_ID); writer.writeFloat((Float) value); } else if (value instanceof String) { writer.writeByte(ContentTypeIds.STRING_TYPE_ID); writer.writeUTF((String) value); } else { throw new IllegalArgumentException( "Type " + value.getClass().getName() + " not supported"); } } }
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.backup; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.TrackPointsColumns; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.WaypointsColumns; import com.google.android.apps.mytracks.util.FileUtils; import android.content.ContentResolver; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.util.Log; import java.io.DataInputStream; import java.io.DataOutputStream; import java.io.File; import java.io.FileOutputStream; import java.io.IOException; import java.io.InputStream; import java.text.ParseException; import java.text.SimpleDateFormat; import java.util.ArrayList; import java.util.Date; import java.util.List; import java.util.TimeZone; import java.util.zip.ZipEntry; import java.util.zip.ZipFile; import java.util.zip.ZipOutputStream; /** * Handler for writing or reading single-file backups. * * @author Rodrigo Damazio */ class ExternalFileBackup { // Filename format - in UTC private static final SimpleDateFormat BACKUP_FILENAME_FORMAT = new SimpleDateFormat("'backup-'yyyy-MM-dd_HH-mm-ss'.zip'"); static { BACKUP_FILENAME_FORMAT.setTimeZone(TimeZone.getTimeZone("UTC")); } private static final String BACKUPS_SUBDIR = "backups"; private static final int BACKUP_FORMAT_VERSION = 1; private static final String ZIP_ENTRY_NAME = "backup.mytracks.v" + BACKUP_FORMAT_VERSION; private static final int COMPRESSION_LEVEL = 8; private final Context context; public ExternalFileBackup(Context context) { this.context = context; } /** * Returns whether the backups directory is (or can be made) available. * * @param create whether to try creating the directory if it doesn't exist */ public boolean isBackupsDirectoryAvailable(boolean create) { return getBackupsDirectory(create) != null; } /** * Returns the backup directory, or null if not available. * * @param create whether to try creating the directory if it doesn't exist */ private File getBackupsDirectory(boolean create) { String dirName = FileUtils.buildExternalDirectoryPath(BACKUPS_SUBDIR); final File dir = new File(dirName); Log.d(Constants.TAG, "Dir: " + dir.getAbsolutePath()); if (create) { // Try to create - if that fails, return null return FileUtils.ensureDirectoryExists(dir) ? dir : null; } else { // Return it if it already exists, otherwise return null return dir.isDirectory() ? dir : null; } } /** * Returns a list of available backups to be restored. */ public Date[] getAvailableBackups() { File dir = getBackupsDirectory(false); if (dir == null) { return null; } String[] fileNames = dir.list(); List<Date> backupDates = new ArrayList<Date>(fileNames.length); for (int i = 0; i < fileNames.length; i++) { String fileName = fileNames[i]; try { backupDates.add(BACKUP_FILENAME_FORMAT.parse(fileName)); } catch (ParseException e) { // Not a backup file, ignore } } return backupDates.toArray(new Date[backupDates.size()]); } /** * Writes the backup to the default file. */ public void writeToDefaultFile() throws IOException { writeToFile(getFileForDate(new Date())); } /** * Restores the backup from the given date. */ public void restoreFromDate(Date when) throws IOException { restoreFromFile(getFileForDate(when)); } /** * Produces the proper file descriptor for the given backup date. */ private File getFileForDate(Date when) { File dir = getBackupsDirectory(false); String fileName = BACKUP_FILENAME_FORMAT.format(when); File file = new File(dir, fileName); return file; } /** * Synchronously writes a backup to the given file. */ private void writeToFile(File outputFile) throws IOException { Log.d(Constants.TAG, "Writing backup to file " + outputFile.getAbsolutePath()); // Create all the auxiliary classes that will do the writing PreferenceBackupHelper preferencesHelper = new PreferenceBackupHelper(); DatabaseDumper trackDumper = new DatabaseDumper( BackupColumns.TRACKS_BACKUP_COLUMNS, BackupColumns.TRACKS_BACKUP_COLUMN_TYPES, false); DatabaseDumper waypointDumper = new DatabaseDumper( BackupColumns.WAYPOINTS_BACKUP_COLUMNS, BackupColumns.WAYPOINTS_BACKUP_COLUMN_TYPES, false); DatabaseDumper pointDumper = new DatabaseDumper( BackupColumns.POINTS_BACKUP_COLUMNS, BackupColumns.POINTS_BACKUP_COLUMN_TYPES, false); // Open the target for writing FileOutputStream outputStream = new FileOutputStream(outputFile); ZipOutputStream compressedStream = new ZipOutputStream(outputStream); compressedStream.setLevel(COMPRESSION_LEVEL); compressedStream.putNextEntry(new ZipEntry(ZIP_ENTRY_NAME)); DataOutputStream outWriter = new DataOutputStream(compressedStream); try { // Dump the entire contents of each table ContentResolver contentResolver = context.getContentResolver(); Cursor tracksCursor = contentResolver.query( TracksColumns.CONTENT_URI, null, null, null, null); try { trackDumper.writeAllRows(tracksCursor, outWriter); } finally { tracksCursor.close(); } Cursor waypointsCursor = contentResolver.query( WaypointsColumns.CONTENT_URI, null, null, null, null); try { waypointDumper.writeAllRows(waypointsCursor, outWriter); } finally { waypointsCursor.close(); } Cursor pointsCursor = contentResolver.query( TrackPointsColumns.CONTENT_URI, null, null, null, null); try { pointDumper.writeAllRows(pointsCursor, outWriter); } finally { pointsCursor.close(); } // Dump preferences SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); preferencesHelper.exportPreferences(preferences, outWriter); } catch (IOException e) { // We tried to delete the partially created file, but do nothing // if that also fails. if (!outputFile.delete()) { Log.w(TAG, "Failed to delete file " + outputFile.getAbsolutePath()); } throw e; } finally { compressedStream.closeEntry(); compressedStream.close(); } } /** * Synchronously restores the backup from the given file. */ private void restoreFromFile(File inputFile) throws IOException { Log.d(Constants.TAG, "Restoring from file " + inputFile.getAbsolutePath()); PreferenceBackupHelper preferencesHelper = new PreferenceBackupHelper(); ContentResolver resolver = context.getContentResolver(); DatabaseImporter trackImporter = new DatabaseImporter(TracksColumns.CONTENT_URI, resolver, false); DatabaseImporter waypointImporter = new DatabaseImporter(WaypointsColumns.CONTENT_URI, resolver, false); DatabaseImporter pointImporter = new DatabaseImporter(TrackPointsColumns.CONTENT_URI, resolver, false); ZipFile zipFile = new ZipFile(inputFile, ZipFile.OPEN_READ); ZipEntry zipEntry = zipFile.getEntry(ZIP_ENTRY_NAME); if (zipEntry == null) { throw new IOException("Invalid backup ZIP file"); } InputStream compressedStream = zipFile.getInputStream(zipEntry); DataInputStream reader = new DataInputStream(compressedStream); try { // Delete all previous contents of the tables and preferences. resolver.delete(TracksColumns.CONTENT_URI, null, null); resolver.delete(TrackPointsColumns.CONTENT_URI, null, null); resolver.delete(WaypointsColumns.CONTENT_URI, null, null); // Import the new contents of each table trackImporter.importAllRows(reader); waypointImporter.importAllRows(reader); pointImporter.importAllRows(reader); // Restore preferences SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); preferencesHelper.importPreferences(reader, preferences); } finally { compressedStream.close(); zipFile.close(); } } }
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.backup; import com.google.android.apps.mytracks.TrackListActivity; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.Dialog; import android.content.DialogInterface; import android.content.Intent; import android.os.Bundle; import android.util.Log; import android.widget.Toast; import java.util.Date; /** * An activity to restore data from the SD card. * * @author Jimmy Shih */ public class RestoreActivity extends Activity { public static final String EXTRA_DATE = "date"; private static final String TAG = RestoreActivity.class.getSimpleName(); private static final int DIALOG_PROGRESS_ID = 0; private RestoreAsyncTask restoreAsyncTask; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Object retained = getLastNonConfigurationInstance(); if (retained instanceof RestoreAsyncTask) { restoreAsyncTask = (RestoreAsyncTask) retained; restoreAsyncTask.setActivity(this); } else { long date = getIntent().getLongExtra(EXTRA_DATE, -1L); if (date == -1L) { Log.d(TAG, "Invalid date"); finish(); return; } restoreAsyncTask = new RestoreAsyncTask(this, new Date(date)); restoreAsyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { restoreAsyncTask.setActivity(null); return restoreAsyncTask; } @Override protected Dialog onCreateDialog(int id) { if (id != DIALOG_PROGRESS_ID) { return null; } return DialogUtils.createSpinnerProgressDialog(this, R.string.settings_backup_restore_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }); } /** * Invokes when the associated AsyncTask completes. * * @param success true if the AsyncTask is successful * @param messageId message id to display to user */ public void onAsyncTaskCompleted(boolean success, int messageId) { removeDialog(DIALOG_PROGRESS_ID); Toast.makeText(this, messageId, success ? Toast.LENGTH_SHORT : Toast.LENGTH_LONG).show(); startActivity(new Intent(this, TrackListActivity.class) .addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP | Intent.FLAG_ACTIVITY_NEW_TASK)); } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } }
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.backup; import com.google.android.apps.mytracks.content.ContentTypeIds; import android.content.ContentResolver; import android.content.ContentValues; import android.net.Uri; import java.io.DataInputStream; import java.io.IOException; /** * Database importer which reads values written by {@link DatabaseDumper}. * * @author Rodrigo Damazio */ public class DatabaseImporter { /** Maximum number of entries in a bulk insertion */ private static final int DEFAULT_BULK_SIZE = 1024; private final Uri destinationUri; private final ContentResolver resolver; private final boolean readNullFields; private final int bulkSize; // Metadata read from the reader private String[] columnNames; private byte[] columnTypes; public DatabaseImporter(Uri destinationUri, ContentResolver resolver, boolean readNullFields) { this(destinationUri, resolver, readNullFields, DEFAULT_BULK_SIZE); } protected DatabaseImporter(Uri destinationUri, ContentResolver resolver, boolean readNullFields, int bulkSize) { this.destinationUri = destinationUri; this.resolver = resolver; this.readNullFields = readNullFields; this.bulkSize = bulkSize; } /** * Reads the header which includes metadata about the table being imported. * * @throws IOException if there are any problems while reading */ private void readHeaders(DataInputStream reader) throws IOException { int numColumns = reader.readInt(); columnNames = new String[numColumns]; columnTypes = new byte[numColumns]; for (int i = 0; i < numColumns; i++) { columnNames[i] = reader.readUTF(); columnTypes[i] = reader.readByte(); } } /** * Imports all rows from the reader into the database. * Insertion is done in bulks for efficiency. * * @throws IOException if there are any errors while reading */ public void importAllRows(DataInputStream reader) throws IOException { readHeaders(reader); ContentValues[] valueBulk = new ContentValues[bulkSize]; int numValues = 0; int numRows = reader.readInt(); int numColumns = columnNames.length; // For each row for (int r = 0; r < numRows; r++) { if (valueBulk[numValues] == null) { valueBulk[numValues] = new ContentValues(numColumns); } else { // Reuse values objects valueBulk[numValues].clear(); } // Read the fields bitmap long fields = reader.readLong(); for (int c = 0; c < numColumns; c++) { if ((fields & 1) == 1) { // Field is present, read into values readOneCell(columnNames[c], columnTypes[c], valueBulk[numValues], reader); } else if (readNullFields) { // Field not present but still written, read and discard readOneCell(columnNames[c], columnTypes[c], null, reader); } fields >>= 1; } numValues++; // If we have enough values, flush them as a bulk insertion if (numValues >= bulkSize) { doBulkInsert(valueBulk); numValues = 0; } } // Do a final bulk insert with the leftovers if (numValues > 0) { ContentValues[] leftovers = new ContentValues[numValues]; System.arraycopy(valueBulk, 0, leftovers, 0, numValues); doBulkInsert(leftovers); } } protected void doBulkInsert(ContentValues[] values) { resolver.bulkInsert(destinationUri, values); } /** * Reads a single cell from the reader. * * @param name the name of the column to be read * @param typeId the type ID of the column to be read * @param values the {@link ContentValues} object to put the read cell value * in - if null, the value is just discarded * @throws IOException if there are any problems while reading */ private void readOneCell(String name, byte typeId, ContentValues values, DataInputStream reader) throws IOException { switch (typeId) { case ContentTypeIds.BOOLEAN_TYPE_ID: { boolean value = reader.readBoolean(); if (values != null) { values.put(name, value); } return; } case ContentTypeIds.LONG_TYPE_ID: { long value = reader.readLong(); if (values != null) { values.put(name, value); } return; } case ContentTypeIds.DOUBLE_TYPE_ID: { double value = reader.readDouble(); if (values != null) { values.put(name, value); } return; } case ContentTypeIds.FLOAT_TYPE_ID: { Float value = reader.readFloat(); if (values != null) { values.put(name, value); } return; } case ContentTypeIds.INT_TYPE_ID: { int value = reader.readInt(); if (values != null) { values.put(name, value); } return; } case ContentTypeIds.STRING_TYPE_ID: { String value = reader.readUTF(); if (values != null) { values.put(name, value); } return; } case ContentTypeIds.BLOB_TYPE_ID: { int blobLength = reader.readInt(); if (blobLength != 0) { byte[] blob = new byte[blobLength]; int readBytes = reader.read(blob, 0, blobLength); if (readBytes != blobLength) { throw new IOException(String.format( "Short read on column %s; expected %d bytes, read %d", name, blobLength, readBytes)); } if (values != null) { values.put(name, blob); } } return; } default: throw new IOException("Read unknown type " + typeId); } } }
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.docs; 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.io.gdata.GDataClientFactory; import com.google.android.apps.mytracks.io.gdata.docs.DocumentsClient; import com.google.android.apps.mytracks.io.gdata.docs.SpreadsheetsClient; import com.google.android.apps.mytracks.io.gdata.docs.XmlDocsGDataParserFactory; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendAsyncTask; import com.google.android.common.gdata.AndroidXmlParserFactory; import com.google.android.maps.mytracks.R; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata2.client.AuthenticationException; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AuthenticatorException; import android.accounts.OperationCanceledException; import android.content.Context; import android.util.Log; import java.io.IOException; /** * AsyncTask to send a track to Google Docs. * * @author Jimmy Shih */ public class SendDocsAsyncTask extends AbstractSendAsyncTask { private static final int PROGRESS_GET_SPREADSHEET_ID = 0; private static final int PROGRESS_CREATE_SPREADSHEET = 25; private static final int PROGRESS_GET_WORKSHEET_ID = 50; private static final int PROGRESS_ADD_TRACK_INFO = 75; private static final int PROGRESS_COMPLETE = 100; private static final String TAG = SendDocsAsyncTask.class.getSimpleName(); private final long trackId; private final Account account; private final Context context; private final MyTracksProviderUtils myTracksProviderUtils; private final GDataClient gDataClient; private final DocumentsClient documentsClient; private final SpreadsheetsClient spreadsheetsClient; // The following variables are for per upload states private String documentsAuthToken; private String spreadsheetsAuthToken; private String spreadsheetId; private String worksheetId; public SendDocsAsyncTask(SendDocsActivity activity, long trackId, Account account) { super(activity); this.trackId = trackId; this.account = account; context = activity.getApplicationContext(); myTracksProviderUtils = MyTracksProviderUtils.Factory.get(context); gDataClient = GDataClientFactory.getGDataClient(context); documentsClient = new DocumentsClient( gDataClient, new XmlDocsGDataParserFactory(new AndroidXmlParserFactory())); spreadsheetsClient = new SpreadsheetsClient( gDataClient, new XmlDocsGDataParserFactory(new AndroidXmlParserFactory())); } @Override protected void closeConnection() { if (gDataClient != null) { gDataClient.close(); } } @Override protected void saveResult() { // No action for Google Docs } @Override protected boolean performTask() { // Reset the per upload states documentsAuthToken = null; spreadsheetsAuthToken = null; spreadsheetId = null; worksheetId = null; try { documentsAuthToken = AccountManager.get(context).blockingGetAuthToken( account, documentsClient.getServiceName(), false); spreadsheetsAuthToken = AccountManager.get(context).blockingGetAuthToken( account, spreadsheetsClient.getServiceName(), false); } catch (OperationCanceledException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } catch (AuthenticatorException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } catch (IOException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } Track track = myTracksProviderUtils.getTrack(trackId); if (track == null) { Log.d(TAG, "Track is null"); return false; } String title = context.getString(R.string.my_tracks_app_name); if (track.getCategory() != null && !track.getCategory().equals("")) { title += "-" + track.getCategory(); } // Get the spreadsheet ID publishProgress(PROGRESS_GET_SPREADSHEET_ID); if (!fetchSpreadSheetId(title, false)) { return retryTask(); } // Create a new spreadsheet if necessary publishProgress(PROGRESS_CREATE_SPREADSHEET); if (spreadsheetId == null) { if (!createSpreadSheet(title)) { Log.d(TAG, "Unable to create a new spreadsheet"); return false; } // The previous creation might have succeeded even though GData // reported an error. Seems to be a know bug. // See http://code.google.com/p/gdata-issues/issues/detail?id=929 // Try to find the created spreadsheet. if (spreadsheetId == null) { if (!fetchSpreadSheetId(title, true)) { Log.d(TAG, "Unable to check if the new spreadsheet is created"); return false; } if (spreadsheetId == null) { Log.d(TAG, "Unable to create a new spreadsheet"); return false; } } } // Get the worksheet ID publishProgress(PROGRESS_GET_WORKSHEET_ID); if (!fetchWorksheetId()) { return retryTask(); } if (worksheetId == null) { Log.d(TAG, "Unable to get a worksheet ID"); return false; } // Add the track info publishProgress(PROGRESS_ADD_TRACK_INFO); if (!addTrackInfo(track)) { Log.d(TAG, "Unable to add track info"); return false; } publishProgress(PROGRESS_COMPLETE); return true; } @Override protected void invalidateToken() { AccountManager.get(context).invalidateAuthToken(Constants.ACCOUNT_TYPE, documentsAuthToken); AccountManager.get(context).invalidateAuthToken(Constants.ACCOUNT_TYPE, spreadsheetsAuthToken); } /** * Fetches the spreadsheet id. Sets the instance variable * {@link SendDocsAsyncTask#spreadsheetId}. * * @param title the spreadsheet title * @param waitFirst wait before checking * @return true if completes. */ private boolean fetchSpreadSheetId(String title, boolean waitFirst) { if (isCancelled()) { return false; } if (waitFirst) { try { Thread.sleep(5000); } catch (InterruptedException e) { Log.d(TAG, "Unable to wait", e); return false; } } try { spreadsheetId = SendDocsUtils.getSpreadsheetId(title, documentsClient, documentsAuthToken); } catch (ParseException e) { Log.d(TAG, "Unable to fetch spreadsheet ID", e); return false; } catch (HttpException e) { Log.d(TAG, "Unable to fetch spreadsheet ID", e); return false; } catch (IOException e) { Log.d(TAG, "Unable to fetch spreadsheet ID", e); return false; } if (spreadsheetId == null) { // Waiting a few seconds and trying again. Maybe the server just had a // hickup (unfortunately that happens quite a lot...). try { Thread.sleep(5000); } catch (InterruptedException e) { Log.d(TAG, "Unable to wait", e); return false; } try { spreadsheetId = SendDocsUtils.getSpreadsheetId(title, documentsClient, documentsAuthToken); } catch (ParseException e) { Log.d(TAG, "Unable to fetch spreadsheet ID", e); return false; } catch (HttpException e) { Log.d(TAG, "Unable to fetch spreadsheet ID", e); return false; } catch (IOException e) { Log.d(TAG, "Unable to fetch spreadsheet ID", e); return false; } } return true; } /** * Creates a spreadsheet. If successful, sets the instance variable * {@link SendDocsAsyncTask#spreadsheetId}. * * @param spreadsheetTitle the spreadsheet title * @return true if completes. */ private boolean createSpreadSheet(String spreadsheetTitle) { if (isCancelled()) { return false; } try { spreadsheetId = SendDocsUtils.createSpreadsheet(spreadsheetTitle, documentsAuthToken, context); } catch (IOException e) { Log.d(TAG, "Unable to create spreadsheet", e); return false; } return true; } /** * Fetches the worksheet ID. Sets the instance variable * {@link SendDocsAsyncTask#worksheetId}. * * @return true if completes. */ private boolean fetchWorksheetId() { if (isCancelled()) { return false; } try { worksheetId = SendDocsUtils.getWorksheetId( spreadsheetId, spreadsheetsClient, spreadsheetsAuthToken); } catch (IOException e) { Log.d(TAG, "Unable to fetch worksheet ID", e); return false; } catch (AuthenticationException e) { Log.d(TAG, "Unable to fetch worksheet ID", e); return false; } catch (ParseException e) { Log.d(TAG, "Unable to fetch worksheet ID", e); return false; } return true; } /** * Adds track info to a worksheet. * * @param track the track * @return true if completes. */ private boolean addTrackInfo(Track track) { if (isCancelled()) { return false; } try { SendDocsUtils.addTrackInfo(track, spreadsheetId, worksheetId, spreadsheetsAuthToken, context); } catch (IOException e) { Log.d(TAG, "Unable to add track info", e); return false; } return true; } }
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.docs; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendActivity; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendAsyncTask; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.io.sendtogoogle.UploadResultActivity; import com.google.android.maps.mytracks.R; import android.content.Intent; /** * An activity to send a track to Google Docs. * * @author Jimmy Shih */ public class SendDocsActivity extends AbstractSendActivity { @Override protected AbstractSendAsyncTask createAsyncTask() { return new SendDocsAsyncTask(this, sendRequest.getTrackId(), sendRequest.getAccount()); } @Override protected String getServiceName() { return getString(R.string.send_google_docs); } @Override protected void startNextActivity(boolean success, boolean isCancel) { sendRequest.setDocsSuccess(success); Intent intent = new Intent(this, UploadResultActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } }
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.docs; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.gdata.docs.DocumentsClient; import com.google.android.apps.mytracks.io.gdata.docs.SpreadsheetsClient; import com.google.android.apps.mytracks.io.gdata.docs.SpreadsheetsClient.WorksheetEntry; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.ResourceUtils; 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 com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import com.google.wireless.gdata2.client.AuthenticationException; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; import java.io.BufferedReader; import java.io.FileNotFoundException; import java.io.IOException; import java.io.InputStreamReader; import java.io.OutputStream; import java.io.OutputStreamWriter; import java.net.URL; import java.net.URLConnection; import java.net.URLEncoder; import java.text.NumberFormat; import java.util.Locale; /** * Utilities for sending a track to Google Docs. * * @author Sandor Dornbush * @author Matthew Simmons */ public class SendDocsUtils { private static final String GET_SPREADSHEET_BY_TITLE_URI = "https://docs.google.com/feeds/documents/private/full?" + "category=mine,spreadsheet&title=%s&title-exact=true"; private static final String CREATE_SPREADSHEET_URI = "https://docs.google.com/feeds/documents/private/full"; private static final String GET_WORKSHEETS_URI = "https://spreadsheets.google.com/feeds/worksheets/%s/private/full"; private static final String GET_WORKSHEET_URI = "https://spreadsheets.google.com/feeds/list/%s/%s/private/full"; private static final String SPREADSHEET_ID_PREFIX = "https://docs.google.com/feeds/documents/private/full/spreadsheet%3A"; private static final String CONTENT_TYPE = "Content-Type"; private static final String ATOM_FEED_MIME_TYPE = "application/atom+xml"; private static final String OPENDOCUMENT_SPREADSHEET_MIME_TYPE = "application/x-vnd.oasis.opendocument.spreadsheet"; private static final String AUTHORIZATION = "Authorization"; private static final String AUTHORIZATION_PREFIX = "GoogleLogin auth="; private static final String SLUG = "Slug"; // Google Docs can only parse numbers in the English locale. private static final NumberFormat NUMBER_FORMAT = NumberFormat.getNumberInstance(Locale.ENGLISH); private static final NumberFormat INTEGER_FORMAT = NumberFormat.getIntegerInstance( Locale.ENGLISH); static { NUMBER_FORMAT.setMaximumFractionDigits(2); NUMBER_FORMAT.setMinimumFractionDigits(2); } private static final String TAG = SendDocsUtils.class.getSimpleName(); private SendDocsUtils() {} /** * Gets the spreadsheet id of a spreadsheet. Returns null if the spreadsheet * doesn't exist. * * @param title the title of the spreadsheet * @param documentsClient the documents client * @param authToken the auth token * @return spreadsheet id or null if it doesn't exist. */ public static String getSpreadsheetId( String title, DocumentsClient documentsClient, String authToken) throws IOException, ParseException, HttpException { GDataParser gDataParser = null; try { String uri = String.format(GET_SPREADSHEET_BY_TITLE_URI, URLEncoder.encode(title)); gDataParser = documentsClient.getParserForFeed(Entry.class, uri, authToken); gDataParser.init(); while (gDataParser.hasMoreData()) { Entry entry = gDataParser.readNextEntry(null); String entryTitle = entry.getTitle(); if (entryTitle.equals(title)) { return getEntryId(entry); } } return null; } finally { if (gDataParser != null) { gDataParser.close(); } } } /** * Gets the id from an entry. Returns null if not available. * * @param entry the entry */ @VisibleForTesting static String getEntryId(Entry entry) { String entryId = entry.getId(); if (entryId.startsWith(SPREADSHEET_ID_PREFIX)) { return entryId.substring(SPREADSHEET_ID_PREFIX.length()); } return null; } /** * Creates a new spreadsheet with the given title. Returns the spreadsheet ID * if successful. Returns null otherwise. Note that it is possible that a new * spreadsheet is created, but the returned ID is null. * * @param title the title * @param authToken the auth token * @param context the context */ public static String createSpreadsheet(String title, String authToken, Context context) throws IOException { URL url = new URL(CREATE_SPREADSHEET_URI); URLConnection conn = url.openConnection(); conn.addRequestProperty(CONTENT_TYPE, OPENDOCUMENT_SPREADSHEET_MIME_TYPE); conn.addRequestProperty(SLUG, title); conn.addRequestProperty(AUTHORIZATION, AUTHORIZATION_PREFIX + authToken); conn.setDoOutput(true); OutputStream outputStream = conn.getOutputStream(); ResourceUtils.readBinaryFileToOutputStream( context, R.raw.mytracks_empty_spreadsheet, outputStream); // Get the response BufferedReader bufferedReader = null; StringBuilder resultBuilder = new StringBuilder(); try { bufferedReader = new BufferedReader(new InputStreamReader(conn.getInputStream())); String line; while ((line = bufferedReader.readLine()) != null) { resultBuilder.append(line); } } catch (FileNotFoundException e) { // The GData API sometimes throws an error, even though creation of // the document succeeded. In that case let's just return. The caller // then needs to check if the doc actually exists. Log.d(TAG, "Unable to read result after creating a spreadsheet", e); return null; } finally { outputStream.close(); if (bufferedReader != null) { bufferedReader.close(); } } return getNewSpreadsheetId(resultBuilder.toString()); } /** * Gets the spreadsheet id from a create spreadsheet result. * * @param result the create spreadsheet result */ @VisibleForTesting static String getNewSpreadsheetId(String result) { int idTagIndex = result.indexOf("<id>"); if (idTagIndex == -1) { return null; } int idTagCloseIndex = result.indexOf("</id>", idTagIndex); if (idTagCloseIndex == -1) { return null; } int idStringStart = result.indexOf(SPREADSHEET_ID_PREFIX, idTagIndex); if (idStringStart == -1) { return null; } return result.substring(idStringStart + SPREADSHEET_ID_PREFIX.length(), idTagCloseIndex); } /** * Gets the first worksheet ID of a spreadsheet. Returns null if not * available. * * @param spreadsheetId the spreadsheet ID * @param spreadsheetClient the spreadsheet client * @param authToken the auth token */ public static String getWorksheetId( String spreadsheetId, SpreadsheetsClient spreadsheetClient, String authToken) throws IOException, AuthenticationException, ParseException { GDataParser gDataParser = null; try { String uri = String.format(GET_WORKSHEETS_URI, spreadsheetId); gDataParser = spreadsheetClient.getParserForWorksheetsFeed(uri, authToken); gDataParser.init(); if (!gDataParser.hasMoreData()) { Log.d(TAG, "No worksheet"); return null; } // Get the first worksheet WorksheetEntry worksheetEntry = (WorksheetEntry) gDataParser.readNextEntry(new WorksheetEntry()); return getWorksheetEntryId(worksheetEntry); } finally { if (gDataParser != null) { gDataParser.close(); } } } /** * Gets the worksheet id from a worksheet entry. Returns null if not available. * * @param entry the worksheet entry */ @VisibleForTesting static String getWorksheetEntryId(WorksheetEntry entry) { String id = entry.getId(); int lastSlash = id.lastIndexOf('/'); if (lastSlash == -1) { Log.d(TAG, "No id"); return null; } return id.substring(lastSlash + 1); } /** * Adds a track's info as a row in a worksheet. * * @param track the track * @param spreadsheetId the spreadsheet ID * @param worksheetId the worksheet ID * @param authToken the auth token * @param context the context */ public static void addTrackInfo( Track track, String spreadsheetId, String worksheetId, String authToken, Context context) throws IOException { String worksheetUri = String.format(GET_WORKSHEET_URI, spreadsheetId, worksheetId); SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean metricUnits = prefs.getBoolean(context.getString(R.string.metric_units_key), true); addRow(worksheetUri, getRowContent(track, metricUnits, context), authToken); } /** * Gets the row content containing the track's info. * * @param track the track * @param metricUnits true to use metric * @param context the context */ @VisibleForTesting static String getRowContent(Track track, boolean metricUnits, Context context) { TripStatistics stats = track.getStatistics(); String distanceUnit = context.getString( metricUnits ? R.string.unit_kilometer : R.string.unit_mile); String speedUnit = context.getString( metricUnits ? R.string.unit_kilometer_per_hour : R.string.unit_mile_per_hour); String elevationUnit = context.getString( metricUnits ? R.string.unit_meter : R.string.unit_feet); StringBuilder builder = new StringBuilder().append("<entry xmlns='http://www.w3.org/2005/Atom' " + "xmlns:gsx='http://schemas.google.com/spreadsheets/2006/extended'>"); appendTag(builder, "name", track.getName()); appendTag(builder, "description", track.getDescription()); appendTag(builder, "date", StringUtils.formatDateTime(context, stats.getStartTime())); appendTag(builder, "totaltime", StringUtils.formatElapsedTimeWithHour(stats.getTotalTime())); appendTag(builder, "movingtime", StringUtils.formatElapsedTimeWithHour(stats.getMovingTime())); appendTag(builder, "distance", getDistance(stats.getTotalDistance(), metricUnits)); appendTag(builder, "distanceunit", distanceUnit); appendTag(builder, "averagespeed", getSpeed(stats.getAverageSpeed(), metricUnits)); appendTag(builder, "averagemovingspeed", getSpeed(stats.getAverageMovingSpeed(), metricUnits)); appendTag(builder, "maxspeed", getSpeed(stats.getMaxSpeed(), metricUnits)); appendTag(builder, "speedunit", speedUnit); appendTag(builder, "elevationgain", getElevation(stats.getTotalElevationGain(), metricUnits)); appendTag(builder, "minelevation", getElevation(stats.getMinElevation(), metricUnits)); appendTag(builder, "maxelevation", getElevation(stats.getMaxElevation(), metricUnits)); appendTag(builder, "elevationunit", elevationUnit); if (track.getMapId().length() > 0) { appendTag(builder, "map", String.format("%s?msa=0&msid=%s", Constants.MAPSHOP_BASE_URL, track.getMapId())); } builder.append("</entry>"); return builder.toString(); } /** * Appends a name-value pair as a gsx tag to a string builder. * * @param stringBuilder the string builder * @param name the name * @param value the value */ @VisibleForTesting static void appendTag(StringBuilder stringBuilder, String name, String value) { stringBuilder .append("<gsx:") .append(name) .append(">") .append(StringUtils.formatCData(value)) .append("</gsx:") .append(name) .append(">"); } /** * Gets the distance. Performs unit conversion and formatting. * * @param distanceInMeter the distance in meters * @param metricUnits true to use metric */ @VisibleForTesting static final String getDistance(double distanceInMeter, boolean metricUnits) { double distanceInKilometer = distanceInMeter * UnitConversions.M_TO_KM; double distance = metricUnits ? distanceInKilometer : distanceInKilometer * UnitConversions.KM_TO_MI; return NUMBER_FORMAT.format(distance); } /** * Gets the speed. Performs unit conversion and formatting. * * @param speedInMeterPerSecond the speed in meters per second * @param metricUnits true to use metric */ @VisibleForTesting static final String getSpeed(double speedInMeterPerSecond, boolean metricUnits) { double speedInKilometerPerHour = speedInMeterPerSecond * UnitConversions.MS_TO_KMH; double speed = metricUnits ? speedInKilometerPerHour : speedInKilometerPerHour * UnitConversions.KM_TO_MI; return NUMBER_FORMAT.format(speed); } /** * Gets the elevation. Performs unit conversion and formatting. * * @param elevationInMeter the elevation value in meters * @param metricUnits true to use metric */ @VisibleForTesting static final String getElevation(double elevationInMeter, boolean metricUnits) { double elevation = metricUnits ? elevationInMeter : elevationInMeter * UnitConversions.M_TO_FT; return INTEGER_FORMAT.format(elevation); } /** * Adds a row to a Google Spreadsheet worksheet. * * @param worksheetUri the worksheet URI * @param rowContent the row content * @param authToken the auth token */ private static final void addRow(String worksheetUri, String rowContent, String authToken) throws IOException { URL url = new URL(worksheetUri); URLConnection conn = url.openConnection(); conn.addRequestProperty(CONTENT_TYPE, ATOM_FEED_MIME_TYPE); conn.addRequestProperty(AUTHORIZATION, AUTHORIZATION_PREFIX + authToken); conn.setDoOutput(true); OutputStreamWriter writer = new OutputStreamWriter(conn.getOutputStream()); writer.write(rowContent); writer.flush(); // Get the response BufferedReader reader = new BufferedReader(new InputStreamReader(conn.getInputStream())); while ((reader.readLine()) != null) { // Just read till the end } writer.close(); reader.close(); } }
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.maps; import com.google.android.apps.mytracks.io.gdata.maps.MapsMapMetadata; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.util.DialogUtils; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.DialogInterface; import android.content.Intent; import android.graphics.Color; import android.os.Bundle; import android.view.View; import android.view.ViewGroup; import android.widget.AdapterView; import android.widget.ArrayAdapter; import android.widget.ListView; import android.widget.TextView; import java.util.ArrayList; /** * An activity to choose a Google Map. * * @author Jimmy Shih */ public class ChooseMapActivity extends Activity { private static final int DIALOG_PROGRESS_ID = 0; private static final int DIALOG_ERROR_ID = 1; private SendRequest sendRequest; private ChooseMapAsyncTask asyncTask; @VisibleForTesting ArrayAdapter<ListItem> arrayAdapter; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); sendRequest = getIntent().getParcelableExtra(SendRequest.SEND_REQUEST_KEY); setContentView(R.layout.choose_map); arrayAdapter = new ArrayAdapter<ListItem>(this, R.layout.choose_map_item, new ArrayList< ListItem>()) { @Override public View getView(int position, View convertView, ViewGroup parent) { if (convertView == null) { convertView = getLayoutInflater().inflate(R.layout.choose_map_item, parent, false); } MapsMapMetadata mapData = getItem(position).getMapData(); TextView title = (TextView) convertView.findViewById(R.id.choose_map_list_item_title); title.setText(mapData.getTitle()); TextView description = (TextView) convertView.findViewById( R.id.choose_map_list_item_description); String descriptionText = mapData.getDescription(); if (descriptionText == null || descriptionText.equals("")) { description.setVisibility(View.GONE); } else { description.setVisibility(View.VISIBLE); description.setText(descriptionText); } TextView searchStatus = (TextView) convertView.findViewById( R.id.choose_map_list_item_search_status); searchStatus.setTextColor(mapData.getSearchable() ? Color.RED : Color.GREEN); searchStatus.setText(mapData.getSearchable() ? R.string.maps_list_public_label : R.string.maps_list_unlisted_label); return convertView; } }; ListView list = (ListView) findViewById(R.id.choose_map_list_view); list.setEmptyView(findViewById(R.id.choose_map_empty_view)); list.setOnItemClickListener(new AdapterView.OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View view, int position, long id) { startNextActivity(arrayAdapter.getItem(position).getMapId()); } }); list.setAdapter(arrayAdapter); Object retained = getLastNonConfigurationInstance(); if (retained instanceof ChooseMapAsyncTask) { asyncTask = (ChooseMapAsyncTask) retained; asyncTask.setActivity(this); } else { asyncTask = new ChooseMapAsyncTask(this, sendRequest.getAccount()); asyncTask.execute(); } } @Override public Object onRetainNonConfigurationInstance() { asyncTask.setActivity(null); return asyncTask; } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_PROGRESS_ID: return DialogUtils.createSpinnerProgressDialog( this, R.string.maps_list_progress_message, new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { asyncTask.cancel(true); finish(); } }); case DIALOG_ERROR_ID: return new AlertDialog.Builder(this) .setCancelable(true) .setIcon(android.R.drawable.ic_dialog_alert) .setMessage(R.string.maps_list_error) .setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }) .setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int arg1) { finish(); } }) .setTitle(R.string.generic_error_title) .create(); default: return null; } } /** * Invokes when the associated AsyncTask completes. * * @param success true if success * @param mapIds an array of map ids * @param mapData an array of map data */ public void onAsyncTaskCompleted( boolean success, ArrayList<String> mapIds, ArrayList<MapsMapMetadata> mapData) { removeProgressDialog(); if (success) { arrayAdapter.clear(); // To prevent displaying the emptyView message momentarily before the // arrayAdapter is set, don't set the emptyView message in the xml layout. // Instead, set it only when needed. if (mapIds.size() == 0) { TextView emptyView = (TextView) findViewById(R.id.choose_map_empty_view); emptyView.setText(R.string.maps_list_no_maps); } else { for (int i = 0; i < mapIds.size(); i++) { arrayAdapter.add(new ListItem(mapIds.get(i), mapData.get(i))); } } } else { showErrorDialog(); } } /** * Shows the progress dialog. */ public void showProgressDialog() { showDialog(DIALOG_PROGRESS_ID); } /** * Shows the error dialog. */ @VisibleForTesting void showErrorDialog() { showDialog(DIALOG_ERROR_ID); } /** * Remove the progress dialog. */ @VisibleForTesting void removeProgressDialog() { removeDialog(DIALOG_PROGRESS_ID); } /** * Starts the next activity, {@link SendMapsActivity}. * * @param mapId the chosen map id */ private void startNextActivity(String mapId) { sendRequest.setMapId(mapId); Intent intent = new Intent(this, SendMapsActivity.class) .putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } /** * A class containing {@link ChooseMapActivity} list item. * * @author Jimmy Shih */ @VisibleForTesting class ListItem { private String mapId; private MapsMapMetadata mapData; private ListItem(String mapId, MapsMapMetadata mapData) { this.mapId = mapId; this.mapData = mapData; } /** * Gets the map id. */ public String getMapId() { return mapId; } /** * Gets the map data. */ public MapsMapMetadata getMapData() { return mapData; } } }
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.maps; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.gdata.maps.MapsClient; import com.google.android.apps.mytracks.io.gdata.maps.MapsFeature; import com.google.android.apps.mytracks.io.gdata.maps.MapsGDataConverter; import com.google.android.apps.mytracks.io.gdata.maps.MapsMapMetadata; import com.google.android.maps.GeoPoint; import com.google.common.annotations.VisibleForTesting; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.parser.ParseException; import android.location.Location; import android.text.TextUtils; import android.util.Log; import java.io.IOException; import java.util.ArrayList; /** * Utilities for sending a track to Google Maps. * * @author Jimmy Shih */ public class SendMapsUtils { private static final String EMPTY_TITLE = "-"; private static final int LINE_COLOR = 0x80FF0000; private static final String TAG = SendMapsUtils.class.getSimpleName(); private SendMapsUtils() {} /** * Gets the Google Maps url for a track. * * @param track the track * @return the url if available. */ public static String getMapUrl(Track track) { if (track == null || track.getMapId() == null) { Log.e(TAG, "Invalid track"); return null; } return MapsClient.buildMapUrl(track.getMapId()); } /** * Creates a new Google Map. * * @param title title of the map * @param description description of the map * @param isPublic true if the map can be public * @param mapsClient the maps client * @param authToken the auth token * @return map id of the created map if successful. */ public static String createNewMap( String title, String description, boolean isPublic, MapsClient mapsClient, String authToken) throws ParseException, HttpException, IOException { String mapFeed = MapsClient.getMapsFeed(); MapsMapMetadata metaData = new MapsMapMetadata(); metaData.setTitle(title); metaData.setDescription(description); metaData.setSearchable(isPublic); Entry entry = MapsGDataConverter.getMapEntryForMetadata(metaData); Entry result = mapsClient.createEntry(mapFeed, authToken, entry); if (result == null) { Log.d(TAG, "No result when creating a new map"); return null; } return MapsClient.getMapIdFromMapEntryId(result.getId()); } /** * Uploads a start/end marker to Google Maps. * * @param mapId the map id * @param title the marker title * @param description the marker description * @param iconUrl the marker icon URL * @param location the marker location * @param mapsClient the maps client * @param authToken the auth token * @param mapsGDataConverter the maps gdata converter * @return true if success. */ public static boolean uploadMarker(String mapId, String title, String description, String iconUrl, Location location, MapsClient mapsClient, String authToken, MapsGDataConverter mapsGDataConverter) throws ParseException, HttpException, IOException { String featuresFeed = MapsClient.getFeaturesFeed(mapId); MapsFeature mapsFeature = buildMapsMarkerFeature( title, description, iconUrl, getGeoPoint(location)); Entry entry = mapsGDataConverter.getEntryForFeature(mapsFeature); try { mapsClient.createEntry(featuresFeed, authToken, entry); } catch (IOException e) { // Retry once (often IOException is thrown on a timeout) Log.d(TAG, "Retry upload marker", e); mapsClient.createEntry(featuresFeed, authToken, entry); } return true; } /** * Uploads a waypoint as a marker feature to Google Maps. * * @param mapId the map id * @param waypoint the waypoint * @param mapsClient the maps client * @param authToken the auth token * @param mapsGDataConverter the maps gdata converter * @return true if success. */ public static boolean uploadWaypoint(String mapId, Waypoint waypoint, MapsClient mapsClient, String authToken, MapsGDataConverter mapsGDataConverter) throws ParseException, HttpException, IOException { String featuresFeed = MapsClient.getFeaturesFeed(mapId); MapsFeature feature = buildMapsMarkerFeature(waypoint.getName(), waypoint.getDescription(), waypoint.getIcon(), getGeoPoint(waypoint.getLocation())); Entry entry = mapsGDataConverter.getEntryForFeature(feature); try { mapsClient.createEntry(featuresFeed, authToken, entry); } catch (IOException e) { // Retry once (often IOException is thrown on a timeout) Log.d(TAG, "Retry upload waypoint", e); mapsClient.createEntry(featuresFeed, authToken, entry); } return true; } /** * Uploads a segment as a line feature to Google Maps. * * @param mapId the map id * @param title the segment title * @param locations the segment locations * @param mapsClient the maps client * @param authToken the auth token * @param mapsGDataConverter the maps gdata converter * @return true if success. */ public static boolean uploadSegment(String mapId, String title, ArrayList<Location> locations, MapsClient mapsClient, String authToken, MapsGDataConverter mapsGDataConverter) throws ParseException, HttpException, IOException { String featuresFeed = MapsClient.getFeaturesFeed(mapId); Entry entry = mapsGDataConverter.getEntryForFeature(buildMapsLineFeature(title, locations)); try { mapsClient.createEntry(featuresFeed, authToken, entry); } catch (IOException e) { // Retry once (often IOException is thrown on a timeout) Log.d(TAG, "Retry upload track points", e); mapsClient.createEntry(featuresFeed, authToken, entry); } return true; } /** * Builds a map marker feature. * * @param title feature title * @param description the feature description * @param iconUrl the feature icon URL * @param geoPoint the marker */ @VisibleForTesting static MapsFeature buildMapsMarkerFeature( String title, String description, String iconUrl, GeoPoint geoPoint) { MapsFeature mapsFeature = new MapsFeature(); mapsFeature.setType(MapsFeature.MARKER); mapsFeature.generateAndroidId(); // Feature must have a name (otherwise GData upload may fail) mapsFeature.setTitle(TextUtils.isEmpty(title) ? EMPTY_TITLE : title); mapsFeature.setDescription(description.replaceAll("\n", "<br>")); mapsFeature.setIconUrl(iconUrl); mapsFeature.addPoint(geoPoint); return mapsFeature; } /** * Builds a maps line feature from a set of locations. * * @param title the feature title * @param locations set of locations */ @VisibleForTesting static MapsFeature buildMapsLineFeature(String title, ArrayList<Location> locations) { MapsFeature mapsFeature = new MapsFeature(); mapsFeature.setType(MapsFeature.LINE); mapsFeature.generateAndroidId(); // Feature must have a name (otherwise GData upload may fail) mapsFeature.setTitle(TextUtils.isEmpty(title) ? EMPTY_TITLE : title); mapsFeature.setColor(LINE_COLOR); for (Location location : locations) { mapsFeature.addPoint(getGeoPoint(location)); } return mapsFeature; } /** * Gets a {@link GeoPoint} from a {@link Location}. * * @param location the location */ @VisibleForTesting static GeoPoint getGeoPoint(Location location) { return new GeoPoint( (int) (location.getLatitude() * 1E6), (int) (location.getLongitude() * 1E6)); } }
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.maps; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.DescriptionGenerator; import com.google.android.apps.mytracks.content.DescriptionGeneratorImpl; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.gdata.GDataClientFactory; import com.google.android.apps.mytracks.io.gdata.maps.MapsClient; import com.google.android.apps.mytracks.io.gdata.maps.MapsConstants; import com.google.android.apps.mytracks.io.gdata.maps.MapsGDataConverter; import com.google.android.apps.mytracks.io.gdata.maps.XmlMapsGDataParserFactory; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendAsyncTask; import com.google.android.apps.mytracks.io.sendtogoogle.SendToGoogleUtils; import com.google.android.apps.mytracks.stats.DoubleBuffer; import com.google.android.apps.mytracks.stats.TripStatisticsBuilder; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.common.gdata.AndroidXmlParserFactory; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.parser.ParseException; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AuthenticatorException; import android.accounts.OperationCanceledException; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.location.Location; import android.util.Log; import java.io.IOException; import java.util.ArrayList; import java.util.List; import java.util.Vector; import org.xmlpull.v1.XmlPullParserException; /** * AsyncTask to send a track to Google Maps. * <p> * IMPORTANT: While this code is Apache-licensed, please notice that usage of * the Google Maps servers through this API is only allowed for the My Tracks * application. Other applications looking to upload maps data should look into * using the Google Fusion Tables API. * * @author Jimmy Shih */ public class SendMapsAsyncTask extends AbstractSendAsyncTask { private static final String START_ICON_URL = "http://maps.google.com/mapfiles/ms/micons/green-dot.png"; private static final String END_ICON_URL = "http://maps.google.com/mapfiles/ms/micons/red-dot.png"; private static final int MAX_POINTS_PER_UPLOAD = 500; private static final int PROGRESS_FETCH_MAP_ID = 5; @VisibleForTesting static final int PROGRESS_UPLOAD_DATA_MIN = 10; @VisibleForTesting static final int PROGRESS_UPLOAD_DATA_MAX = 90; private static final int PROGRESS_UPLOAD_WAYPOINTS = 95; private static final int PROGRESS_COMPLETE = 100; private static final String TAG = SendMapsAsyncTask.class.getSimpleName(); private final long trackId; private final Account account; private final String chooseMapId; private final MyTracksProviderUtils myTracksProviderUtils; private final Context context; private final GDataClient gDataClient; private final MapsClient mapsClient; // The following variables are for per upload states private MapsGDataConverter mapsGDataConverter; private String authToken; private String mapId; int currentSegment; public SendMapsAsyncTask(SendMapsActivity activity, long trackId, Account account, String chooseMapId) { this(activity, trackId, account, chooseMapId, MyTracksProviderUtils.Factory.get(activity .getApplicationContext())); } /** * This constructor is created for test. */ @VisibleForTesting public SendMapsAsyncTask ( SendMapsActivity activity, long trackId, Account account, String chooseMapId, MyTracksProviderUtils myTracksProviderUtils) { super(activity); this.trackId = trackId; this.account = account; this.chooseMapId = chooseMapId; this.myTracksProviderUtils = myTracksProviderUtils; context = activity.getApplicationContext(); gDataClient = GDataClientFactory.getGDataClient(context); mapsClient = new MapsClient( gDataClient, new XmlMapsGDataParserFactory(new AndroidXmlParserFactory())); } @Override protected void closeConnection() { if (gDataClient != null) { gDataClient.close(); } } @Override protected void saveResult() { Track track = myTracksProviderUtils.getTrack(trackId); if (track != null) { track.setMapId(mapId); myTracksProviderUtils.updateTrack(track); } else { Log.d(TAG, "No track"); } } @Override protected boolean performTask() { // Reset the per upload states mapsGDataConverter = null; authToken = null; mapId = null; currentSegment = 1; // Create a maps gdata converter try { mapsGDataConverter = new MapsGDataConverter(); } catch (XmlPullParserException e) { Log.d(TAG, "Unable to create a maps gdata converter", e); return false; } // Get auth token try { authToken = AccountManager.get(context).blockingGetAuthToken( account, MapsConstants.SERVICE_NAME, false); } catch (OperationCanceledException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } catch (AuthenticatorException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } catch (IOException e) { Log.d(TAG, "Unable to get auth token", e); return retryTask(); } // Get the track Track track = myTracksProviderUtils.getTrack(trackId); if (track == null) { Log.d(TAG, "Track is null"); return false; } // Fetch the mapId, create a new map if necessary publishProgress(PROGRESS_FETCH_MAP_ID); if (!fetchSendMapId(track)) { Log.d("TAG", "Unable to upload all track points"); return retryTask(); } // Upload all the track points plus the start and end markers publishProgress(PROGRESS_UPLOAD_DATA_MIN); if (!uploadAllTrackPoints(track)) { Log.d("TAG", "Unable to upload all track points"); return retryTask(); } // Upload all the waypoints publishProgress(PROGRESS_UPLOAD_WAYPOINTS); if (!uploadWaypoints()) { Log.d("TAG", "Unable to upload waypoints"); return false; } publishProgress(PROGRESS_COMPLETE); return true; } @Override protected void invalidateToken() { AccountManager.get(context).invalidateAuthToken(Constants.ACCOUNT_TYPE, authToken); } /** * Fetches the {@link SendMapsAsyncTask#mapId} instance variable for * sending a track to Google Maps. * * @param track the Track * @return true if able to fetch the mapId variable. */ @VisibleForTesting boolean fetchSendMapId(Track track) { if (isCancelled()) { return false; } if (chooseMapId != null) { mapId = chooseMapId; return true; } else { SharedPreferences sharedPreferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean mapPublic = sharedPreferences.getBoolean( context.getString(R.string.default_map_public_key), true); try { String description = track.getCategory() + "\n" + track.getDescription() + "\n" + context.getString(R.string.send_google_by_my_tracks, "", ""); mapId = SendMapsUtils.createNewMap( track.getName(), description, mapPublic, mapsClient, authToken); } catch (ParseException e) { Log.d(TAG, "Unable to create a new map", e); return false; } catch (HttpException e) { Log.d(TAG, "Unable to create a new map", e); return false; } catch (IOException e) { Log.d(TAG, "Unable to create a new map", e); return false; } return mapId != null; } } /** * Uploads all the points in a track. * * @param track the track * @return true if success. */ @VisibleForTesting boolean uploadAllTrackPoints(Track track) { Cursor locationsCursor = null; try { SharedPreferences prefs = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean metricUnits = prefs.getBoolean(context.getString(R.string.metric_units_key), true); locationsCursor = myTracksProviderUtils.getLocationsCursor(trackId, 0, -1, false); if (locationsCursor == null) { Log.d(TAG, "Location cursor is null"); return false; } int locationsCount = locationsCursor.getCount(); List<Location> locations = new ArrayList<Location>(MAX_POINTS_PER_UPLOAD); Location lastLocation = null; // For chart server, limit the number of elevation readings to 250. int elevationSamplingFrequency = Math.max(1, (int) (locationsCount / 250.0)); TripStatisticsBuilder tripStatisticsBuilder = new TripStatisticsBuilder( track.getStatistics().getStartTime()); DoubleBuffer elevationBuffer = new DoubleBuffer(Constants.ELEVATION_SMOOTHING_FACTOR); Vector<Double> distances = new Vector<Double>(); Vector<Double> elevations = new Vector<Double>(); for (int i = 0; i < locationsCount; i++) { locationsCursor.moveToPosition(i); Location location = myTracksProviderUtils.createLocation(locationsCursor); locations.add(location); if (i == 0) { // Create a start marker if (!uploadMarker(context.getString(R.string.marker_label_start, track.getName()), "", START_ICON_URL, location)) { Log.d(TAG, "Unable to create a start marker"); return false; } } // Add to the distances and elevations vectors if (LocationUtils.isValidLocation(location)) { tripStatisticsBuilder.addLocation(location, location.getTime()); // All points go into the smoothing buffer elevationBuffer.setNext(metricUnits ? location.getAltitude() : location.getAltitude() * UnitConversions.M_TO_FT); if (i % elevationSamplingFrequency == 0) { distances.add(tripStatisticsBuilder.getStatistics().getTotalDistance()); elevations.add(elevationBuffer.getAverage()); } lastLocation = location; } // Upload periodically int readCount = i + 1; if (readCount % MAX_POINTS_PER_UPLOAD == 0) { if (!prepareAndUploadPoints(track, locations, false)) { Log.d(TAG, "Unable to upload points"); return false; } updateProgress(readCount, locationsCount); locations.clear(); } } // Do a final upload with the remaining locations if (!prepareAndUploadPoints(track, locations, true)) { Log.d(TAG, "Unable to upload points"); return false; } // Create an end marker if (lastLocation != null) { distances.add(tripStatisticsBuilder.getStatistics().getTotalDistance()); elevations.add(elevationBuffer.getAverage()); track.setDescription(getTrackDescription(track, distances, elevations)); if (!uploadMarker(context.getString(R.string.marker_label_end, track.getName()), track.getDescription(), END_ICON_URL, lastLocation)) { Log.d(TAG, "Unable to create an end marker"); return false; } } return true; } finally { if (locationsCursor != null) { locationsCursor.close(); } } } /** * Gets the description of a track. * * @param track the track * @param distances distance vectors * @param elevations elevation vectors * @return the description of a track. */ @VisibleForTesting String getTrackDescription(Track track, Vector<Double> distances, Vector<Double> elevations) { DescriptionGenerator descriptionGenerator = new DescriptionGeneratorImpl(context); return "<p>" + track.getDescription() + "</p><p>" + descriptionGenerator.generateTrackDescription(track, distances, elevations) + "</p>"; } /** * Prepares and uploads a list of locations from a track. * * @param track the track * @param locations the locations from the track * @param lastBatch true if it is the last batch of locations * @return true if success. */ @VisibleForTesting boolean prepareAndUploadPoints(Track track, List<Location> locations, boolean lastBatch) { // Prepare locations ArrayList<Track> splitTracks = SendToGoogleUtils.prepareLocations(track, locations); // Upload segments boolean onlyOneSegment = lastBatch && currentSegment == 1 && splitTracks.size() == 1; for (Track segment : splitTracks) { if (!onlyOneSegment) { segment.setName(context.getString( R.string.send_google_track_part_label, segment.getName(), currentSegment)); } if (!uploadSegment(segment.getName(), segment.getLocations())) { Log.d(TAG, "Unable to upload segment"); return false; } currentSegment++; } return true; } /** * Uploads a marker. * * @param title marker title * @param description marker description * @param iconUrl marker marker icon * @param location marker location * @return true if success. */ @VisibleForTesting boolean uploadMarker( String title, String description, String iconUrl, Location location) { if (isCancelled()) { return false; } try { if (!SendMapsUtils.uploadMarker(mapId, title, description, iconUrl, location, mapsClient, authToken, mapsGDataConverter)) { Log.d(TAG, "Unable to upload marker"); return false; } } catch (ParseException e) { Log.d(TAG, "Unable to upload marker", e); return false; } catch (HttpException e) { Log.d(TAG, "Unable to upload marker", e); return false; } catch (IOException e) { Log.d(TAG, "Unable to upload marker", e); return false; } return true; } /** * Uploads a segment * * @param title segment title * @param locations segment locations * @return true if success */ private boolean uploadSegment(String title, ArrayList<Location> locations) { if (isCancelled()) { return false; } try { if (!SendMapsUtils.uploadSegment( mapId, title, locations, mapsClient, authToken, mapsGDataConverter)) { Log.d(TAG, "Unable to upload track points"); return false; } } catch (ParseException e) { Log.d(TAG, "Unable to upload track points", e); return false; } catch (HttpException e) { Log.d(TAG, "Unable to upload track points", e); return false; } catch (IOException e) { Log.d(TAG, "Unable to upload track points", e); return false; } return true; } /** * Uploads all the waypoints. * * @return true if success. */ @VisibleForTesting boolean uploadWaypoints() { Cursor cursor = null; try { cursor = myTracksProviderUtils.getWaypointsCursor( trackId, 0, Constants.MAX_LOADED_WAYPOINTS_POINTS); if (cursor != null && cursor.moveToFirst()) { // This will skip the first waypoint (it carries the stats for the // track). while (cursor.moveToNext()) { if (isCancelled()) { return false; } Waypoint waypoint = myTracksProviderUtils.createWaypoint(cursor); try { if (!SendMapsUtils.uploadWaypoint( mapId, waypoint, mapsClient, authToken, mapsGDataConverter)) { Log.d(TAG, "Unable to upload waypoint"); return false; } } catch (ParseException e) { Log.d(TAG, "Unable to upload waypoint", e); return false; } catch (HttpException e) { Log.d(TAG, "Unable to upload waypoint", e); return false; } catch (IOException e) { Log.d(TAG, "Unable to upload waypoint", e); return false; } } } return true; } finally { if (cursor != null) { cursor.close(); } } } /** * Updates the progress based on the number of locations uploaded. * * @param uploaded the number of uploaded locations * @param total the number of total locations */ @VisibleForTesting void updateProgress(int uploaded, int total) { publishProgress(getPercentage(uploaded, total)); } /** * Count the percentage of the number of locations uploaded. * * @param uploaded the number of uploaded locations * @param total the number of total locations */ @VisibleForTesting static int getPercentage(int uploaded, int total) { double totalPercentage = (double) uploaded / total; double scaledPercentage = totalPercentage * (PROGRESS_UPLOAD_DATA_MAX - PROGRESS_UPLOAD_DATA_MIN) + PROGRESS_UPLOAD_DATA_MIN; return (int) scaledPercentage; } /** * Gets the mapID. * * @return mapId */ @VisibleForTesting String getMapId() { return mapId; } /** * Sets the value of mapsGDataConverter. * * @param mapsGDataConverter new value of mapsGDataConverter */ @VisibleForTesting void setMapsGDataConverter(MapsGDataConverter mapsGDataConverter) { this.mapsGDataConverter = mapsGDataConverter; } }
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.maps; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.io.gdata.GDataClientFactory; import com.google.android.apps.mytracks.io.gdata.maps.MapFeatureEntry; import com.google.android.apps.mytracks.io.gdata.maps.MapsClient; import com.google.android.apps.mytracks.io.gdata.maps.MapsConstants; import com.google.android.apps.mytracks.io.gdata.maps.MapsGDataConverter; import com.google.android.apps.mytracks.io.gdata.maps.MapsMapMetadata; import com.google.android.apps.mytracks.io.gdata.maps.XmlMapsGDataParserFactory; import com.google.android.common.gdata.AndroidXmlParserFactory; import com.google.common.annotations.VisibleForTesting; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.parser.GDataParser; import com.google.wireless.gdata.parser.ParseException; import android.accounts.Account; import android.accounts.AccountManager; import android.accounts.AuthenticatorException; import android.accounts.OperationCanceledException; import android.content.Context; import android.os.AsyncTask; import android.util.Log; import java.io.IOException; import java.util.ArrayList; /** * AsyncTask for {@link ChooseMapActivity} to get all the maps from Google Maps. * * @author Jimmy Shih */ public class ChooseMapAsyncTask extends AsyncTask<Void, Integer, Boolean> { private static final String TAG = ChooseMapAsyncTask.class.getSimpleName(); private ChooseMapActivity activity; private final Account account; private final Context context; private final GDataClient gDataClient; private final MapsClient mapsClient; /** * True if can retry sending to Google Fusion Tables. */ private boolean canRetry; /** * True if the AsyncTask has completed. */ private boolean completed; /** * True if the result is success. */ private boolean success; // The following variables are for per request states private String authToken; private ArrayList<String> mapIds; private ArrayList<MapsMapMetadata> mapData; public ChooseMapAsyncTask(ChooseMapActivity activity, Account account) { this(activity, account, activity.getApplicationContext(), GDataClientFactory .getGDataClient(activity.getApplicationContext()), new MapsClient( GDataClientFactory.getGDataClient(activity.getApplicationContext()), new XmlMapsGDataParserFactory(new AndroidXmlParserFactory()))); } /** * Creates this constructor for test. */ public ChooseMapAsyncTask(ChooseMapActivity activity, Account account, Context context, GDataClient gDataClient, MapsClient mapsClient) { this.activity = activity; this.account = account; this.context = context; this.gDataClient = gDataClient; this.mapsClient = mapsClient; canRetry = true; completed = false; success = false; } /** * Sets the activity associated with this AyncTask. * * @param activity the activity. */ public void setActivity(ChooseMapActivity activity) { this.activity = activity; if (completed && activity != null) { activity.onAsyncTaskCompleted(success, mapIds, mapData); } } @Override protected void onPreExecute() { activity.showProgressDialog(); } @Override protected Boolean doInBackground(Void... params) { try { return getMaps(); } finally { if (gDataClient != null) { gDataClient.close(); } } } @Override protected void onPostExecute(Boolean result) { success = result; completed = true; if (activity != null) { activity.onAsyncTaskCompleted(success, mapIds, mapData); } } /** * Gets all the maps from Google Maps. * * @return true if success. */ @VisibleForTesting boolean getMaps() { // Reset the per request states authToken = null; mapIds = new ArrayList<String>(); mapData = new ArrayList<MapsMapMetadata>(); try { authToken = AccountManager.get(context).blockingGetAuthToken( account, MapsConstants.SERVICE_NAME, false); } catch (OperationCanceledException e) { Log.d(TAG, "Unable to get auth token", e); return retryUpload(); } catch (AuthenticatorException e) { Log.d(TAG, "Unable to get auth token", e); return retryUpload(); } catch (IOException e) { Log.d(TAG, "Unable to get auth token", e); return retryUpload(); } if (isCancelled()) { return false; } GDataParser gDataParser = null; try { gDataParser = mapsClient.getParserForFeed( MapFeatureEntry.class, MapsClient.getMapsFeed(), authToken); gDataParser.init(); while (gDataParser.hasMoreData()) { MapFeatureEntry entry = (MapFeatureEntry) gDataParser.readNextEntry(null); mapIds.add(MapsGDataConverter.getMapidForEntry(entry)); mapData.add(MapsGDataConverter.getMapMetadataForEntry(entry)); } } catch (ParseException e) { Log.d(TAG, "Unable to get maps", e); return retryUpload(); } catch (IOException e) { Log.d(TAG, "Unable to get maps", e); return retryUpload(); } catch (HttpException e) { Log.d(TAG, "Unable to get maps", e); return retryUpload(); } finally { if (gDataParser != null) { gDataParser.close(); } } return true; } /** * Retries upload. Invalidates the authToken. If can retry, invokes * {@link ChooseMapAsyncTask#getMaps()}. Returns false if cannot retry. */ @VisibleForTesting boolean retryUpload() { if (isCancelled()) { return false; } AccountManager.get(context).invalidateAuthToken(Constants.ACCOUNT_TYPE, authToken); if (canRetry) { canRetry = false; return getMaps(); } return false; } /** * Gets the complete status of task. */ @VisibleForTesting boolean getCompleted() { return completed; } /** * Sets the complete status of task. * @param completed */ @VisibleForTesting void setCompleted(boolean completed) { this.completed = completed; } /** * Sets the status of canRetry. * @param canRetry status of canRetry */ @VisibleForTesting void setCanRetry(boolean canRetry) { this.canRetry = canRetry; } /** * Gets the status of canRetry. */ @VisibleForTesting boolean getCanRetry() { return canRetry; } }
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.maps; import com.google.android.apps.mytracks.io.docs.SendDocsActivity; import com.google.android.apps.mytracks.io.fusiontables.SendFusionTablesActivity; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendActivity; import com.google.android.apps.mytracks.io.sendtogoogle.AbstractSendAsyncTask; import com.google.android.apps.mytracks.io.sendtogoogle.SendRequest; import com.google.android.apps.mytracks.io.sendtogoogle.UploadResultActivity; import com.google.android.maps.mytracks.R; import com.google.common.annotations.VisibleForTesting; import android.content.Intent; /** * An activity to send a track to Google Maps. * * @author Jimmy Shih */ public class SendMapsActivity extends AbstractSendActivity { @Override protected AbstractSendAsyncTask createAsyncTask() { return new SendMapsAsyncTask( this, sendRequest.getTrackId(), sendRequest.getAccount(), sendRequest.getMapId()); } @Override protected String getServiceName() { return getString(R.string.send_google_maps); } @Override protected void startNextActivity(boolean success, boolean isCancel) { sendRequest.setMapsSuccess(success); Class<?> next = getNextClass(sendRequest, isCancel); Intent intent = new Intent(this, next).putExtra(SendRequest.SEND_REQUEST_KEY, sendRequest); startActivity(intent); finish(); } @VisibleForTesting Class<?> getNextClass(SendRequest request, boolean isCancel) { if (isCancel) { return UploadResultActivity.class; } else { if (request.isSendFusionTables()) { return SendFusionTablesActivity.class; } else if (request.isSendDocs()) { return SendDocsActivity.class; } else { return UploadResultActivity.class; } } } }
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.TrackDataHub; import com.google.android.apps.mytracks.services.RemoveTempFilesService; import com.google.android.apps.mytracks.util.AnalyticsUtils; import com.google.android.apps.mytracks.util.ApiAdapterFactory; import com.google.android.maps.mytracks.BuildConfig; import android.app.Application; import android.content.Intent; /** * MyTracksApplication for keeping global state. * * @author Jimmy Shih */ public class MyTracksApplication extends Application { private TrackDataHub trackDataHub; @Override public void onCreate() { if (BuildConfig.DEBUG) { ApiAdapterFactory.getApiAdapter().enableStrictMode(); } AnalyticsUtils.sendPageViews(this, "/appstart"); startService(new Intent(this, RemoveTempFilesService.class)); } /** * Gets the application's TrackDataHub. * * Note: use synchronized to make sure only one instance is created per application. */ public synchronized TrackDataHub getTrackDataHub() { if (trackDataHub == null) { trackDataHub = TrackDataHub.newInstance(getApplicationContext()); } return trackDataHub; } }
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.PreferencesUtils; 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() { long selectedTrackId = PreferencesUtils.getSelectedTrackId(context); if (selectedTrackId == -1L) { // Could not find track. return false; } Track track = MyTracksProviderUtils.Factory.get(context).getTrack(selectedTrackId); 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.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 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 com.google.common.annotations.VisibleForTesting; 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) { path = new Path(); updatePath(projection, viewRect, startLocationIdx, alwaysVisible, points, path); } /** * 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 always visible. * @param points The list of points used to update the path. * @param pathToUpdate The path to be created. */ @VisibleForTesting void updatePath(Projection projection, Rect viewRect, int startLocationIdx, Boolean alwaysVisible, List<CachedLocation> points, Path pathToUpdate) { pathToUpdate.incReserve(points.size()); // 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. 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. projection.toPixels(geoPoint, pt); if (newSegment) { pathToUpdate.moveTo(pt.x, pt.y); newSegment = false; } else { pathToUpdate.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 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.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.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 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 com.google.common.annotations.VisibleForTesting; 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; } /** * Returns coloredPaths. * * @return coloredPaths */ @VisibleForTesting List<ColoredPath> getColoredPaths() { return coloredPaths; } }
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.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 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. * * @author Jimmy Shih */ 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"; // Google's mobile page private static final String HOST_NAME = "m.google.com"; private EulaUtils() {} public static boolean getEulaValue(Context context) { SharedPreferences sharedPreferences = context.getSharedPreferences( EULA_PREFERENCE_FILE, Context.MODE_PRIVATE); return sharedPreferences.getBoolean(EULA_PREFERENCE_KEY, false); } public static void setEulaValue(Context context) { SharedPreferences sharedPreferences = context.getSharedPreferences( EULA_PREFERENCE_FILE, Context.MODE_PRIVATE); Editor editor = sharedPreferences.edit(); editor.putBoolean(EULA_PREFERENCE_KEY, true); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } public static String getEulaMessage(Context context) { return context.getString(R.string.eula_date) + "\n\n" + context.getString(R.string.eula_body, HOST_NAME) + "\n\n" + context.getString(R.string.eula_footer, HOST_NAME) + "\n\n" + "©" + Calendar.getInstance().get(Calendar.YEAR); } }
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 { private 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; /** * Returns whether the SD card is available. */ public static 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 static boolean ensureDirectoryExists(File dir) { if (dir.exists() && dir.isDirectory()) { return true; } if (dir.mkdirs()) { return true; } return false; } /** * 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 static 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(); } /** * 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 static 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 static 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 (!new File(directory, fullName).exists()) { 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 static 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 static 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 static 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; } } }
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 >= 14) { apiAdapter = new Api14Adapter(); return apiAdapter; } else if (Build.VERSION.SDK_INT >= 11) { apiAdapter = new Api11Adapter(); return apiAdapter; } else 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 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 android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; /** * Utilities for checking units. * * @author Jimmy Shih */ public class CheckUnitsUtils { private static final String CHECK_UNITS_PREFERENCE_FILE = "checkunits"; private static final String CHECK_UNITS_PREFERENCE_KEY = "checkunits.checked"; private CheckUnitsUtils() {} public static boolean getCheckUnitsValue(Context context) { SharedPreferences sharedPreferences = context.getSharedPreferences( CHECK_UNITS_PREFERENCE_FILE, Context.MODE_PRIVATE); return sharedPreferences.getBoolean(CHECK_UNITS_PREFERENCE_KEY, false); } public static void setCheckUnitsValue(Context context) { SharedPreferences sharedPreferences = context.getSharedPreferences( CHECK_UNITS_PREFERENCE_FILE, Context.MODE_PRIVATE); Editor editor = sharedPreferences.edit().putBoolean(CHECK_UNITS_PREFERENCE_KEY, true); ApiAdapterFactory.getApiAdapter().applyPreferenceChanges(editor); } }
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.maps.mytracks.R; import android.app.AlertDialog; import android.app.Dialog; import android.app.ProgressDialog; import android.content.Context; import android.content.DialogInterface; /** * Utilities for creating dialogs. * * @author Jimmy Shih */ public class DialogUtils { private DialogUtils() {} /** * Creates a confirmation dialog. * * @param context the context * @param messageId the confirmation message id * @param onClickListener the listener to invoke when the user clicks OK */ public static Dialog createConfirmationDialog( Context context, int messageId, DialogInterface.OnClickListener onClickListener) { return new AlertDialog.Builder(context) .setCancelable(true) .setIcon(android.R.drawable.ic_dialog_alert) .setMessage(context.getString(messageId)) .setNegativeButton(android.R.string.cancel, null) .setPositiveButton(android.R.string.ok, onClickListener) .setTitle(R.string.generic_confirm_title) .create(); } /** * Creates a spinner progress dialog. * * @param context the context * @param messageId the progress message id * @param onCancelListener the cancel listener */ public static ProgressDialog createSpinnerProgressDialog( Context context, int messageId, DialogInterface.OnCancelListener onCancelListener) { return createProgressDialog(true, context, messageId, onCancelListener); } /** * Creates a horizontal progress dialog. * * @param context the context * @param messageId the progress message id * @param onCancelListener the cancel listener * @param formatArgs the format arguments for the messageId */ public static ProgressDialog createHorizontalProgressDialog(Context context, int messageId, DialogInterface.OnCancelListener onCancelListener, Object... formatArgs) { return createProgressDialog(false, context, messageId, onCancelListener, formatArgs); } /** * Creates a progress dialog. * * @param spinner true to use the spinner style * @param context the context * @param messageId the progress message id * @param onCancelListener the cancel listener * @param formatArgs the format arguments for the message id */ private static ProgressDialog createProgressDialog(boolean spinner, Context context, int messageId, DialogInterface.OnCancelListener onCancelListener, Object... formatArgs) { ProgressDialog progressDialog = new ProgressDialog(context); progressDialog.setCancelable(true); progressDialog.setIcon(android.R.drawable.ic_dialog_info); progressDialog.setIndeterminate(true); progressDialog.setMessage(context.getString(messageId, formatArgs)); progressDialog.setOnCancelListener(onCancelListener); progressDialog.setProgressStyle(spinner ? ProgressDialog.STYLE_SPINNER : ProgressDialog.STYLE_HORIZONTAL); progressDialog.setTitle(R.string.generic_progress_title); return progressDialog; } }
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 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.annotation.TargetApi; 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 */ @TargetApi(10) 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 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.TrackEditActivity; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import android.app.ActivityManager; import android.app.ActivityManager.RunningServiceInfo; import android.content.ComponentName; import android.content.Context; import android.content.Intent; import android.os.RemoteException; import android.util.Log; import java.util.List; /** * Utilities for {@link TrackRecordingServiceConnection}. * * @author Rodrigo Damazio */ public class TrackRecordingServiceConnectionUtils { private static final String TAG = TrackRecordingServiceConnectionUtils.class.getSimpleName(); private TrackRecordingServiceConnectionUtils() {} /** * Returns true if the recording service is running. * * @param context the current context */ public static boolean isRecordingServiceRunning(Context context) { ActivityManager activityManager = (ActivityManager) context.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 (TrackRecordingService.class.getName().equals(serviceName)) { return true; } } return false; } /** * Returns true if recording. Checks with the track recording service if * available. If not, checks with the shared preferences. * * @param context the current context * @param trackRecordingServiceConnection the track recording service * connection */ public static boolean isRecording( Context context, TrackRecordingServiceConnection trackRecordingServiceConnection) { ITrackRecordingService trackRecordingService = trackRecordingServiceConnection .getServiceIfBound(); if (trackRecordingService != null) { try { return trackRecordingService.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); } } return PreferencesUtils.getRecordingTrackId(context) != -1L; } /** * Stops the track recording service connection. * * @param context the context * @param trackRecordingServiceConnection the track recording service * connection */ public static void stop( Context context, TrackRecordingServiceConnection trackRecordingServiceConnection) { ITrackRecordingService trackRecordingService = trackRecordingServiceConnection .getServiceIfBound(); if (trackRecordingService != null) { try { /* * Need to remember the recordingTrackId before calling endCurrentTrack. * endCurrentTrack sets the value to -1L. */ long recordingTrackId = PreferencesUtils.getRecordingTrackId(context); trackRecordingService.endCurrentTrack(); if (recordingTrackId != -1L) { Intent intent = new Intent(context, TrackEditActivity.class) .putExtra(TrackEditActivity.EXTRA_SHOW_CANCEL, false) .putExtra(TrackEditActivity.EXTRA_TRACK_ID, recordingTrackId); context.startActivity(intent); } } catch (Exception e) { Log.e(TAG, "Unable to stop recording.", e); } } else { PreferencesUtils.setRecordingTrackId(context, -1L); } trackRecordingServiceConnection.stop(); } /** * Resumes the track recording service connection. * * @param context the context * @param trackRecordingServiceConnection the track recording service * connection */ public static void resume( Context context, TrackRecordingServiceConnection trackRecordingServiceConnection) { trackRecordingServiceConnection.bindIfRunning(); if (!isRecordingServiceRunning(context)) { PreferencesUtils.setRecordingTrackId(context, -1L); } } }
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.ContextualActionModeCallback; 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.app.Activity; import android.bluetooth.BluetoothDevice; import android.bluetooth.BluetoothSocket; import android.content.Context; import android.content.SharedPreferences; import android.view.MenuItem; import android.widget.ListView; 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; /** * Hides the title. If the platform supports the action bar, do nothing. * Ideally, with the action bar, we would like to collapse the navigation tabs * into the action bar. However, collapsing is not supported by the * compatibility library. * <p> * Due to changes in API level 11. * * @param activity the activity */ public void hideTitle(Activity activity); /** * Configures the action bar with the Home button as an Up button. If the * platform doesn't support the action bar, do nothing. * <p> * Due to changes in API level 11. * * @param activity the activity */ public void configureActionBarHomeAsUp(Activity activity); /** * Configures the list view context menu. * <p> * Due to changes in API level 11. * * @param activity the activity * @param listView the list view * @param menuId the menu resource id * @param actionModeTitleId the id of the list view item TextView to be used * as the action mode title * @param contextualActionModeCallback the callback when an item is selected * in the contextual action mode */ public void configureListViewContextualMenu(Activity activity, ListView listView, int menuId, int actionModeTitleId, ContextualActionModeCallback contextualActionModeCallback); /** * Configures the search widget. * * Due to changes in API level 11. * * @param activity the activity * @param menuItem the search menu item */ public void configureSearchWidget(Activity activity, MenuItem menuItem); /** * Handles the search menu selection. Returns true if handled. * * Due to changes in API level 11. * * @param activity the activity */ public boolean handleSearchMenuSelection(Activity activity); /** * Handles the search key press. Returns true if handled. * * Due to changes in API level 14. * * @param menu the search menu */ public boolean handleSearchKey(MenuItem menu); }
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.Api8BackupPreferencesListener; import com.google.android.apps.mytracks.services.tasks.Api8StatusAnnouncerTask; 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 Api8StatusAnnouncerTask(context); } @Override public BackupPreferencesListener getBackupPreferencesListener(Context context) { return new Api8BackupPreferencesListener(context); } }
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 android.annotation.TargetApi; import android.app.ActionBar; import android.app.Activity; import android.view.MenuItem; /** * API level 14 specific implementation of the {@link ApiAdapter}. * * @author Jimmy Shih */ @TargetApi(14) public class Api14Adapter extends Api11Adapter { @Override public void configureActionBarHomeAsUp(Activity activity) { ActionBar actionBar = activity.getActionBar(); actionBar.setHomeButtonEnabled(true); actionBar.setDisplayHomeAsUpEnabled(true); } @Override public boolean handleSearchKey(MenuItem menuItem) { menuItem.expandActionView(); 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.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 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.ContextualActionModeCallback; 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.app.Activity; 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 android.view.MenuItem; import android.view.Window; import android.widget.ListView; 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); } @Override public void hideTitle(Activity activity) { activity.requestWindowFeature(Window.FEATURE_NO_TITLE); } @Override public void configureActionBarHomeAsUp(Activity activity) { // Do nothing } @Override public void configureListViewContextualMenu(Activity activity, ListView listView, int menuId, int actionModeTitleId, ContextualActionModeCallback contextualActionModeCallback) { activity.registerForContextMenu(listView); } @Override public void configureSearchWidget(Activity activity, MenuItem menuItem) { // Do nothing } @Override public boolean handleSearchMenuSelection(Activity activity) { activity.onSearchRequested(); return true; } @Override public boolean handleSearchKey(MenuItem menuItem) { // Return false and allow the framework to handle the search key. return 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.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 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 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 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.annotation.TargetApi; 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 */ @TargetApi(9) 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 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