code
stringlengths
1
2.01M
repo_name
stringlengths
3
62
path
stringlengths
1
267
language
stringclasses
231 values
license
stringclasses
13 values
size
int64
1
2.01M
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.util.ApiFeatures; import com.google.android.apps.mytracks.util.UriUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.ContentUris; import android.content.Context; import android.content.DialogInterface; import android.content.DialogInterface.OnCancelListener; import android.content.Intent; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.net.Uri; import android.os.Bundle; import android.util.Log; /** * Activity used to delete a track. * * @author Rodrigo Damazio */ public class DeleteTrack extends Activity implements DialogInterface.OnClickListener, OnCancelListener { private static final int CONFIRM_DIALOG = 1; private MyTracksProviderUtils providerUtils; private long deleteTrackId; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); providerUtils = MyTracksProviderUtils.Factory.get(this); Intent intent = getIntent(); String action = intent.getAction(); Uri data = intent.getData(); if (!Intent.ACTION_DELETE.equals(action) || !UriUtils.matchesContentUri(data, TracksColumns.CONTENT_URI)) { Log.e(TAG, "Got bad delete intent: " + intent); finish(); } deleteTrackId = ContentUris.parseId(data); showDialog(CONFIRM_DIALOG); } @Override protected Dialog onCreateDialog(int id) { if (id != CONFIRM_DIALOG) { Log.e(TAG, "Unknown dialog " + id); return null; } AlertDialog.Builder builder = new AlertDialog.Builder(this); builder.setMessage(getString(R.string.track_list_delete_track_confirm_message)); builder.setTitle(getString(R.string.generic_confirm_title)); builder.setIcon(android.R.drawable.ic_dialog_alert); builder.setPositiveButton(getString(R.string.generic_yes), this); builder.setNegativeButton(getString(R.string.generic_no), this); builder.setOnCancelListener(this); return builder.create(); } @Override public void onClick(DialogInterface dialogInterface, int which) { dialogInterface.dismiss(); if (which == DialogInterface.BUTTON_POSITIVE) { deleteTrack(); } finish(); } @Override public void onCancel(DialogInterface dialog) { onClick(dialog, DialogInterface.BUTTON_NEGATIVE); } private void deleteTrack() { providerUtils.deleteTrack(deleteTrackId); // If the track we just deleted was selected, unselect it. String selectedKey = getString(R.string.selected_track_key); SharedPreferences preferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences.getLong(selectedKey, -1) == deleteTrackId) { Editor editor = preferences.edit().putLong(selectedKey, -1); ApiFeatures.getInstance().getApiAdapter().applyPreferenceChanges(editor); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/DeleteTrack.java
Java
asf20
3,820
/* * 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.analytics.GoogleAnalyticsTracker; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.TrackDataHub; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.apps.mytracks.content.WaypointCreationRequest; import com.google.android.apps.mytracks.io.file.TempFileCleaner; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.ServiceUtils; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.services.tasks.StatusAnnouncerFactory; import com.google.android.apps.mytracks.util.ApiFeatures; import com.google.android.apps.mytracks.util.EulaUtil; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.apps.mytracks.util.UriUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.app.TabActivity; import android.content.ContentUris; import android.content.Context; import android.content.DialogInterface; import android.content.Intent; import android.content.SharedPreferences; import android.content.res.Resources; import android.net.Uri; import android.os.Bundle; import android.os.RemoteException; import android.util.Log; import android.view.Menu; import android.view.MenuItem; import android.view.MotionEvent; import android.view.View; import android.view.View.OnTouchListener; import android.view.ViewGroup.LayoutParams; import android.view.Window; import android.widget.RelativeLayout; import android.widget.TabHost; import android.widget.Toast; /** * The super activity that embeds our sub activities. * * @author Leif Hendrik Wilden * @author Rodrigo Damazio */ @SuppressWarnings("deprecation") public class MyTracks extends TabActivity implements OnTouchListener { private static final int DIALOG_EULA_ID = 0; private TrackDataHub dataHub; /** * Menu manager. */ private MenuManager menuManager; /** * Preferences. */ private SharedPreferences preferences; /** * True if a new track should be created after the track recording service * binds. */ private boolean startNewTrackRequested = false; /** * Utilities to deal with the database. */ private MyTracksProviderUtils providerUtils; /** * Google Analytics tracker */ private GoogleAnalyticsTracker tracker; /* * Tabs/View navigation: */ private NavControls navControls; private final Runnable changeTab = new Runnable() { public void run() { getTabHost().setCurrentTab(navControls.getCurrentIcons()); } }; /* * Recording service interaction: */ private final Runnable serviceBindCallback = new Runnable() { @Override public void run() { synchronized (serviceConnection) { ITrackRecordingService service = serviceConnection.getServiceIfBound(); if (startNewTrackRequested && service != null) { Log.i(TAG, "Starting recording"); startNewTrackRequested = false; startRecordingNewTrack(service); } else if (startNewTrackRequested) { Log.w(TAG, "Not yet starting recording"); } } } }; private TrackRecordingServiceConnection serviceConnection; /* * Application lifetime events: * ============================ */ @Override protected void onCreate(Bundle savedInstanceState) { Log.d(TAG, "MyTracks.onCreate"); super.onCreate(savedInstanceState); ApiFeatures apiFeatures = ApiFeatures.getInstance(); if (!SystemUtils.isRelease(this)) { apiFeatures.getApiAdapter().enableStrictMode(); } tracker = GoogleAnalyticsTracker.getInstance(); // Start the tracker in manual dispatch mode... tracker.start(getString(R.string.my_tracks_analytics_id), getApplicationContext()); tracker.setProductVersion("android-mytracks", SystemUtils.getMyTracksVersion(this)); tracker.trackPageView("/appstart"); tracker.dispatch(); providerUtils = MyTracksProviderUtils.Factory.get(this); preferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); dataHub = ((MyTracksApplication) getApplication()).getTrackDataHub(); menuManager = new MenuManager(this); serviceConnection = new TrackRecordingServiceConnection(this, serviceBindCallback); // The volume we want to control is the Text-To-Speech volume int volumeStream = new StatusAnnouncerFactory(apiFeatures).getVolumeStream(); setVolumeControlStream(volumeStream); // We don't need a window title bar: requestWindowFeature(Window.FEATURE_NO_TITLE); final Resources res = getResources(); final TabHost tabHost = getTabHost(); tabHost.addTab(tabHost.newTabSpec("tab1") .setIndicator("Map", res.getDrawable( android.R.drawable.ic_menu_mapmode)) .setContent(new Intent(this, MapActivity.class))); tabHost.addTab(tabHost.newTabSpec("tab2") .setIndicator("Stats", res.getDrawable(R.drawable.menu_stats)) .setContent(new Intent(this, StatsActivity.class))); tabHost.addTab(tabHost.newTabSpec("tab3") .setIndicator("Chart", res.getDrawable(R.drawable.menu_elevation)) .setContent(new Intent(this, ChartActivity.class))); // Hide the tab widget itself. We'll use overlayed prev/next buttons to // switch between the tabs: tabHost.getTabWidget().setVisibility(View.GONE); RelativeLayout layout = new RelativeLayout(this); LayoutParams params = new LayoutParams(LayoutParams.FILL_PARENT, LayoutParams.FILL_PARENT); layout.setLayoutParams(params); navControls = new NavControls(this, layout, getResources().obtainTypedArray(R.array.left_icons), getResources().obtainTypedArray(R.array.right_icons), changeTab); navControls.show(); tabHost.addView(layout); layout.setOnTouchListener(this); if (!EulaUtil.getEulaValue(this)) { showDialog(DIALOG_EULA_ID); } } @Override protected void onStart() { Log.d(TAG, "MyTracks.onStart"); super.onStart(); dataHub.start(); // Ensure that service is running and bound if we're supposed to be recording if (ServiceUtils.isRecording(this, null, preferences)) { serviceConnection.startAndBind(); } Intent intent = getIntent(); String action = intent.getAction(); Uri data = intent.getData(); if ((Intent.ACTION_VIEW.equals(action) || Intent.ACTION_EDIT.equals(action)) && TracksColumns.CONTENT_ITEMTYPE.equals(intent.getType()) && UriUtils.matchesContentUri(data, TracksColumns.CONTENT_URI)) { long trackId = ContentUris.parseId(data); dataHub.loadTrack(trackId); } } @Override protected void onResume() { // Called when the current activity is being displayed or re-displayed // to the user. Log.d(TAG, "MyTracks.onResume"); serviceConnection.bindIfRunning(); super.onResume(); } @Override protected void onPause() { // Called when activity is going into the background, but has not (yet) been // killed. Shouldn't block longer than approx. 2 seconds. Log.d(TAG, "MyTracks.onPause"); super.onPause(); } @Override protected void onStop() { Log.d(TAG, "MyTracks.onStop"); dataHub.stop(); tracker.dispatch(); tracker.stop(); // Clean up any temporary track files. TempFileCleaner.clean(); super.onStop(); } @Override protected void onDestroy() { Log.d(TAG, "MyTracks.onDestroy"); serviceConnection.unbind(); super.onDestroy(); } @Override protected Dialog onCreateDialog(int id) { switch (id) { case DIALOG_EULA_ID: AlertDialog.Builder builder = new AlertDialog.Builder(this); builder.setTitle(R.string.eula_title); builder.setMessage(R.string.eula_message); builder.setPositiveButton(R.string.eula_accept, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { EulaUtil.setEulaValue(MyTracks.this); Intent startIntent = new Intent(MyTracks.this, WelcomeActivity.class); startActivityForResult(startIntent, Constants.WELCOME); } }); builder.setNegativeButton(R.string.eula_decline, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { finish(); } }); builder.setCancelable(true); builder.setOnCancelListener(new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { finish(); } }); return builder.create(); default: return null; } } @Override public boolean onCreateOptionsMenu(Menu menu) { super.onCreateOptionsMenu(menu); return menuManager.onCreateOptionsMenu(menu); } @Override public boolean onPrepareOptionsMenu(Menu menu) { menuManager.onPrepareOptionsMenu(menu, providerUtils.getLastTrack() != null, ServiceUtils.isRecording(this, serviceConnection.getServiceIfBound(), preferences), dataHub.isATrackSelected()); return super.onPrepareOptionsMenu(menu); } @Override public boolean onOptionsItemSelected(MenuItem item) { return menuManager.onOptionsItemSelected(item) ? true : super.onOptionsItemSelected(item); } /* * Key events: * =========== */ @Override public boolean onTrackballEvent(MotionEvent event) { if (event.getAction() == MotionEvent.ACTION_DOWN) { if (ServiceUtils.isRecording(this, serviceConnection.getServiceIfBound(), preferences)) { try { insertWaypoint(WaypointCreationRequest.DEFAULT_STATISTICS); } catch (RemoteException e) { Log.e(TAG, "Cannot insert statistics marker.", e); } catch (IllegalStateException e) { Log.e(TAG, "Cannot insert statistics marker.", e); } return true; } } return super.onTrackballEvent(event); } @Override public void onActivityResult(int requestCode, int resultCode, final Intent results) { Log.d(TAG, "MyTracks.onActivityResult"); long trackId = dataHub.getSelectedTrackId(); if (results != null) { trackId = results.getLongExtra("trackid", trackId); } switch (requestCode) { case Constants.SHOW_TRACK: { if (results != null) { if (trackId >= 0) { dataHub.loadTrack(trackId); // The track list passed the requested action as result code. Hand // it off to the onActivityResult for further processing: if (resultCode != Constants.SHOW_TRACK) { onActivityResult(resultCode, Activity.RESULT_OK, results); } } } break; } case Constants.SHOW_WAYPOINT: { if (results != null) { final long waypointId = results.getLongExtra("waypointid", -1); if (waypointId >= 0) { MapActivity map = (MapActivity) getLocalActivityManager().getActivity("tab1"); if (map != null) { getTabHost().setCurrentTab(0); map.showWaypoint(waypointId); } } } break; } case Constants.WELCOME: { CheckUnits.check(this); break; } default: { Log.w(TAG, "Warning unhandled request code: " + requestCode); } } } @Override public boolean onTouch(View v, MotionEvent event) { if (event.getAction() == MotionEvent.ACTION_DOWN) { navControls.show(); } return false; } /** * Inserts a waypoint marker. * * TODO: Merge with WaypointsList#insertWaypoint. * * @return Id of the inserted statistics marker. * @throws RemoteException If the call on the service failed. */ private long insertWaypoint(WaypointCreationRequest request) throws RemoteException { ITrackRecordingService trackRecordingService = serviceConnection.getServiceIfBound(); if (trackRecordingService == null) { throw new IllegalStateException("The recording service is not bound."); } try { long waypointId = trackRecordingService.insertWaypoint(request); if (waypointId >= 0) { Toast.makeText(this, R.string.marker_insert_success, Toast.LENGTH_LONG).show(); } return waypointId; } catch (RemoteException e) { Toast.makeText(this, R.string.marker_insert_error, Toast.LENGTH_LONG).show(); throw e; } } private void startRecordingNewTrack( ITrackRecordingService trackRecordingService) { try { long recordingTrackId = trackRecordingService.startNewTrack(); // Select the recording track. dataHub.loadTrack(recordingTrackId); Toast.makeText(this, getString(R.string.track_record_success), Toast.LENGTH_SHORT).show(); // TODO: We catch Exception, because after eliminating the service process // all exceptions it may throw are no longer wrapped in a RemoteException. } catch (Exception e) { Toast.makeText(this, getString(R.string.track_record_error), Toast.LENGTH_SHORT).show(); Log.w(TAG, "Unable to start recording.", e); } } /** * Starts the track recording service (if not already running) and binds to * it. Starts recording a new track. */ void startRecording() { synchronized (serviceConnection) { startNewTrackRequested = true; serviceConnection.startAndBind(); // Binding was already requested before, it either already happened // (in which case running the callback manually triggers the actual recording start) // or it will happen in the future // (in which case running the callback now will have no effect). serviceBindCallback.run(); } } /** * Stops the track recording service and unbinds from it. Will display a toast * "Stopped recording" and pop up the Track Details activity. */ void stopRecording() { // Save the track id as the shared preference will overwrite the recording track id. SharedPreferences sharedPreferences = getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); long currentTrackId = sharedPreferences.getLong(getString(R.string.recording_track_key), -1); ITrackRecordingService trackRecordingService = serviceConnection.getServiceIfBound(); if (trackRecordingService != null) { try { trackRecordingService.endCurrentTrack(); } catch (Exception e) { Log.e(TAG, "Unable to stop recording.", e); } } serviceConnection.stop(); if (currentTrackId > 0) { Intent intent = new Intent(MyTracks.this, TrackDetails.class); intent.putExtra("trackid", currentTrackId); intent.putExtra("hasCancelButton", false); startActivity(intent); } } long getSelectedTrackId() { return dataHub.getSelectedTrackId(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/MyTracks.java
Java
asf20
15,931
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.util.ApiFeatures; import com.google.android.maps.mytracks.R; import android.app.AlertDialog; import android.content.Context; import android.content.DialogInterface; import android.content.SharedPreferences; /** * Checks with the user if he prefers the metric units or the imperial units. * * @author Sandor Dornbush */ class CheckUnits { private static final String CHECK_UNITS_PREFERENCE_FILE = "checkunits"; private static final String CHECK_UNITS_PREFERENCE_KEY = "checkunits.checked"; private static boolean metric = true; public static void check(final Context context) { final SharedPreferences checkUnitsSharedPreferences = context.getSharedPreferences( CHECK_UNITS_PREFERENCE_FILE, Context.MODE_PRIVATE); if (checkUnitsSharedPreferences.getBoolean(CHECK_UNITS_PREFERENCE_KEY, false)) { return; } AlertDialog.Builder builder = new AlertDialog.Builder(context); builder.setTitle(context.getString(R.string.preferred_units_title)); CharSequence[] items = { context.getString(R.string.preferred_units_metric), context.getString(R.string.preferred_units_imperial) }; builder.setSingleChoiceItems(items, 0, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (which == 0) { metric = true; } else { metric = false; } } }); builder.setCancelable(true); builder.setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { recordCheckPerformed(checkUnitsSharedPreferences); SharedPreferences useMetricPreferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); SharedPreferences.Editor editor = useMetricPreferences.edit(); String key = context.getString(R.string.metric_units_key); ApiFeatures.getInstance().getApiAdapter().applyPreferenceChanges( editor.putBoolean(key, metric)); } }); builder.setOnCancelListener(new DialogInterface.OnCancelListener() { public void onCancel(DialogInterface dialog) { recordCheckPerformed(checkUnitsSharedPreferences); } }); builder.show(); } private static void recordCheckPerformed(SharedPreferences preferences) { ApiFeatures.getInstance().getApiAdapter().applyPreferenceChanges( preferences.edit().putBoolean(CHECK_UNITS_PREFERENCE_KEY, true)); } private CheckUnits() {} }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/CheckUnits.java
Java
asf20
3,229
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TrackDataHub; import com.google.android.apps.mytracks.content.TrackDataHub.ListenerDataType; import com.google.android.apps.mytracks.content.TrackDataListener; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.services.ServiceUtils; import com.google.android.apps.mytracks.services.tasks.StatusAnnouncerFactory; import com.google.android.apps.mytracks.util.ApiFeatures; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.content.SharedPreferences; import android.location.Location; import android.os.Bundle; import android.util.DisplayMetrics; import android.util.Log; import android.view.Window; import android.widget.ScrollView; import android.widget.TextView; import java.util.EnumSet; /** * An activity that displays track statistics to the user. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public class StatsActivity extends Activity implements TrackDataListener { /** * A runnable for posting to the UI thread. Will update the total time field. */ private final Runnable updateResults = new Runnable() { public void run() { if (dataHub != null && dataHub.isRecordingSelected()) { utils.setTime(R.id.total_time_register, System.currentTimeMillis() - startTime); } } }; private StatsUtilities utils; private UIUpdateThread thread; /** * The start time of the selected track. */ private long startTime = -1; private TrackDataHub dataHub; private SharedPreferences preferences; /** * A thread that updates the total time field every second. */ private class UIUpdateThread extends Thread { public UIUpdateThread() { super(); Log.i(TAG, "Created UI update thread"); } @Override public void run() { Log.i(TAG, "Started UI update thread"); while (ServiceUtils.isRecording(StatsActivity.this, null, preferences)) { runOnUiThread(updateResults); try { Thread.sleep(1000L); } catch (InterruptedException e) { Log.w(TAG, "StatsActivity: Caught exception on sleep.", e); break; } } Log.w(TAG, "UIUpdateThread finished."); } } /** Called when the activity is first created. */ @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); preferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); utils = new StatsUtilities(this); // The volume we want to control is the Text-To-Speech volume int volumeStream = new StatusAnnouncerFactory(ApiFeatures.getInstance()).getVolumeStream(); setVolumeControlStream(volumeStream); // We don't need a window title bar: requestWindowFeature(Window.FEATURE_NO_TITLE); setContentView(R.layout.stats); ScrollView sv = ((ScrollView) findViewById(R.id.scrolly)); sv.setScrollBarStyle(ScrollView.SCROLLBARS_OUTSIDE_INSET); showUnknownLocation(); DisplayMetrics metrics = new DisplayMetrics(); getWindowManager().getDefaultDisplay().getMetrics(metrics); if (metrics.heightPixels > 600) { ((TextView) findViewById(R.id.speed_register)).setTextSize(80.0f); } } @Override protected void onResume() { super.onResume(); dataHub = ((MyTracksApplication) getApplication()).getTrackDataHub(); dataHub.registerTrackDataListener(this, EnumSet.of( ListenerDataType.SELECTED_TRACK_CHANGED, ListenerDataType.TRACK_UPDATES, ListenerDataType.LOCATION_UPDATES, ListenerDataType.DISPLAY_PREFERENCES)); } @Override protected void onPause() { dataHub.unregisterTrackDataListener(this); dataHub = null; if (thread != null) { thread.interrupt(); thread = null; } super.onStop(); } @Override public boolean onUnitsChanged(boolean metric) { // Ignore if unchanged. if (metric == utils.isMetricUnits()) return false; utils.setMetricUnits(metric); updateLabels(); return true; // Reload data } @Override public boolean onReportSpeedChanged(boolean displaySpeed) { // Ignore if unchanged. if (displaySpeed == utils.isReportSpeed()) return false; utils.setReportSpeed(displaySpeed); updateLabels(); return true; // Reload data } private void updateLabels() { runOnUiThread(new Runnable() { @Override public void run() { utils.updateUnits(); utils.setSpeedLabel(R.id.speed_label, R.string.stat_speed, R.string.stat_pace); utils.setSpeedLabels(); } }); } /** * Updates the given location fields (latitude, longitude, altitude) and all * other fields. * * @param l may be null (will set location fields to unknown) */ private void showLocation(Location l) { utils.setAltitude(R.id.elevation_register, l.getAltitude()); utils.setLatLong(R.id.latitude_register, l.getLatitude()); utils.setLatLong(R.id.longitude_register, l.getLongitude()); utils.setSpeed(R.id.speed_register, l.getSpeed() * 3.6); } private void showUnknownLocation() { utils.setUnknown(R.id.elevation_register); utils.setUnknown(R.id.latitude_register); utils.setUnknown(R.id.longitude_register); utils.setUnknown(R.id.speed_register); } @Override public void onSelectedTrackChanged(Track track, boolean isRecording) { /* * Checks if this activity needs to update live track data or not. * If so, make sure that: * a) a thread keeps updating the total time * b) a location listener is registered * c) a content observer is registered * Otherwise unregister listeners, observers, and kill update thread. */ final boolean startThread = (thread == null) && isRecording; final boolean killThread = (thread != null) && (!isRecording); if (startThread) { thread = new UIUpdateThread(); thread.start(); } else if (killThread) { thread.interrupt(); thread = null; } } @Override public void onCurrentLocationChanged(final Location loc) { TrackDataHub localDataHub = dataHub; if (localDataHub != null && localDataHub.isRecordingSelected()) { runOnUiThread(new Runnable() { @Override public void run() { if (loc != null) { showLocation(loc); } else { showUnknownLocation(); } } }); } } @Override public void onCurrentHeadingChanged(double heading) { // We don't care. } @Override public void onProviderStateChange(ProviderState state) { switch (state) { case DISABLED: case NO_FIX: runOnUiThread(new Runnable() { @Override public void run() { showUnknownLocation(); } }); break; } } @Override public void onTrackUpdated(final Track track) { TrackDataHub localDataHub = dataHub; final boolean recordingSelected = localDataHub != null && localDataHub.isRecordingSelected(); runOnUiThread(new Runnable() { @Override public void run() { if (track == null || track.getStatistics() == null) { utils.setAllToUnknown(); return; } startTime = track.getStatistics().getStartTime(); if (!recordingSelected) { utils.setTime(R.id.total_time_register, track.getStatistics().getTotalTime()); showUnknownLocation(); } utils.setAllStats(track.getStatistics()); } }); } @Override public void clearWaypoints() { // We don't care. } @Override public void onNewWaypoint(Waypoint wpt) { // We don't care. } @Override public void onNewWaypointsDone() { // We don't care. } @Override public void clearTrackPoints() { // We don't care. } @Override public void onNewTrackPoint(Location loc) { // We don't care. } @Override public void onSegmentSplit() { // We don't care. } @Override public void onSampledOutTrackPoint(Location loc) { // We don't care. } @Override public void onNewTrackPointsDone() { // We don't care. } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/StatsActivity.java
Java
asf20
9,050
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; /** * Constants used by the MyTracks application. * * @author Leif Hendrik Wilden */ public abstract class Constants { /** * Should be used by all log statements */ public static final String TAG = "MyTracks"; /** * Name of the top-level directory inside the SD card where our files will * be read from/written to. */ public static final String SDCARD_TOP_DIR = "MyTracks"; /* * onActivityResult request codes: */ public static final int GET_LOGIN = 0; public static final int GET_MAP = 1; public static final int SHOW_TRACK = 2; public static final int AUTHENTICATE_TO_MY_MAPS = 3; public static final int AUTHENTICATE_TO_FUSION_TABLES = 4; public static final int AUTHENTICATE_TO_DOCLIST = 5; public static final int AUTHENTICATE_TO_TRIX = 6; public static final int SHARE_GPX_FILE = 7; public static final int SHARE_KML_FILE = 8; public static final int SHARE_CSV_FILE = 9; public static final int SHARE_TCX_FILE = 10; public static final int SAVE_GPX_FILE = 11; public static final int SAVE_KML_FILE = 12; public static final int SAVE_CSV_FILE = 13; public static final int SAVE_TCX_FILE = 14; public static final int SHOW_WAYPOINT = 15; public static final int WELCOME = 16; /* * Menu ids: */ public static final int MENU_MY_LOCATION = 1; public static final int MENU_TOGGLE_LAYERS = 2; public static final int MENU_CHART_SETTINGS = 3; /* * Context menu ids: */ public static final int MENU_EDIT = 100; public static final int MENU_DELETE = 101; public static final int MENU_SEND_TO_GOOGLE = 102; public static final int MENU_SHARE = 103; public static final int MENU_SHOW = 104; public static final int MENU_SHARE_LINK = 200; public static final int MENU_SHARE_GPX_FILE = 201; public static final int MENU_SHARE_KML_FILE = 202; public static final int MENU_SHARE_CSV_FILE = 203; public static final int MENU_SHARE_TCX_FILE = 204; public static final int MENU_WRITE_TO_SD_CARD = 205; public static final int MENU_SAVE_GPX_FILE = 206; public static final int MENU_SAVE_KML_FILE = 207; public static final int MENU_SAVE_CSV_FILE = 208; public static final int MENU_SAVE_TCX_FILE = 209; public static final int MENU_CLEAR_MAP = 210; /** * The number of distance readings to smooth to get a stable signal. */ public static final int DISTANCE_SMOOTHING_FACTOR = 25; /** * The number of elevation readings to smooth to get a somewhat accurate * signal. */ public static final int ELEVATION_SMOOTHING_FACTOR = 25; /** * The number of grade readings to smooth to get a somewhat accurate signal. */ public static final int GRADE_SMOOTHING_FACTOR = 5; /** * The number of speed reading to smooth to get a somewhat accurate signal. */ public static final int SPEED_SMOOTHING_FACTOR = 25; /** * Maximum number of track points displayed by the map overlay. */ public static final int MAX_DISPLAYED_TRACK_POINTS = 10000; /** * Target number of track points displayed by the map overlay. * We may display more than this number of points. */ public static final int TARGET_DISPLAYED_TRACK_POINTS = 5000; /** * Maximum number of track points ever loaded at once from the provider into * memory. * With a recording frequency of 2 seconds, 15000 corresponds to 8.3 hours. */ public static final int MAX_LOADED_TRACK_POINTS = 20000; /** * Maximum number of track points ever loaded at once from the provider into * memory in a single call to read points. */ public static final int MAX_LOADED_TRACK_POINTS_PER_BATCH = 1000; /** * Maximum number of way points displayed by the map overlay. */ public static final int MAX_DISPLAYED_WAYPOINTS_POINTS = 128; /** * Maximum number of way points that will be loaded at one time. */ public static final int MAX_LOADED_WAYPOINTS_POINTS = 10000; /** * Any time segment where the distance traveled is less than this value will * not be considered moving. */ public static final double MAX_NO_MOVEMENT_DISTANCE = 2; /** * Anything faster than that (in meters per second) will be considered moving. */ public static final double MAX_NO_MOVEMENT_SPEED = 0.224; /** * Ignore any acceleration faster than this. * Will ignore any speeds that imply accelaration greater than 2g's * 2g = 19.6 m/s^2 = 0.0002 m/ms^2 = 0.02 m/(m*ms) */ public static final double MAX_ACCELERATION = 0.02; /** Maximum age of a GPS location to be considered current. */ public static final long MAX_LOCATION_AGE_MS = 60 * 1000; // 1 minute /** Maximum age of a network location to be considered current. */ public static final long MAX_NETWORK_AGE_MS = 1000 * 60 * 10; // 10 minutes /** * The type of account that we can use for gdata uploads. */ public static final String ACCOUNT_TYPE = "com.google"; /** * The name of extra intent property to indicate whether we want to resume * a previously recorded track. */ public static final String RESUME_TRACK_EXTRA_NAME = "com.google.android.apps.mytracks.RESUME_TRACK"; public static int getActionFromMenuId(int menuId) { switch (menuId) { case Constants.MENU_SHARE_KML_FILE: return Constants.SHARE_KML_FILE; case Constants.MENU_SHARE_GPX_FILE: return Constants.SHARE_GPX_FILE; case Constants.MENU_SHARE_CSV_FILE: return Constants.SHARE_CSV_FILE; case Constants.MENU_SHARE_TCX_FILE: return Constants.SHARE_TCX_FILE; case Constants.MENU_SAVE_GPX_FILE: return Constants.SAVE_GPX_FILE; case Constants.MENU_SAVE_KML_FILE: return Constants.SAVE_KML_FILE; case Constants.MENU_SAVE_CSV_FILE: return Constants.SAVE_CSV_FILE; case Constants.MENU_SAVE_TCX_FILE: return Constants.SAVE_TCX_FILE; default: return -1; } } public static final String MAPSHOP_BASE_URL = "https://maps.google.com/maps/ms"; /* * Default values - keep in sync with those in preferences.xml. */ public static final int DEFAULT_ANNOUNCEMENT_FREQUENCY = -1; public static final int DEFAULT_AUTO_RESUME_TRACK_TIMEOUT = 10; // In min. public static final int DEFAULT_MAX_RECORDING_DISTANCE = 200; public static final int DEFAULT_MIN_RECORDING_DISTANCE = 5; public static final int DEFAULT_MIN_RECORDING_INTERVAL = 0; public static final int DEFAULT_MIN_REQUIRED_ACCURACY = 200; public static final int DEFAULT_SPLIT_FREQUENCY = 0; public static final String SETTINGS_NAME = "SettingsActivity"; /** * This is an abstract utility class. */ protected Constants() { } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/Constants.java
Java
asf20
7,327
/* * 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.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() * 3.6); } }; public MapOverlay(Context context) { this.context = context; this.waypoints = new ArrayList<Waypoint>(); this.points = new ArrayList<CachedLocation>(1024); this.pendingPoints = new ArrayBlockingQueue<CachedLocation>( Constants.MAX_DISPLAYED_TRACK_POINTS, true); // TODO: Can we use a FrameAnimation or similar here rather // than individual resources for each arrow direction? final Resources resources = context.getResources(); arrows = new Drawable[] { resources.getDrawable(R.drawable.arrow_0), resources.getDrawable(R.drawable.arrow_20), resources.getDrawable(R.drawable.arrow_40), resources.getDrawable(R.drawable.arrow_60), resources.getDrawable(R.drawable.arrow_80), resources.getDrawable(R.drawable.arrow_100), resources.getDrawable(R.drawable.arrow_120), resources.getDrawable(R.drawable.arrow_140), resources.getDrawable(R.drawable.arrow_160), resources.getDrawable(R.drawable.arrow_180), resources.getDrawable(R.drawable.arrow_200), resources.getDrawable(R.drawable.arrow_220), resources.getDrawable(R.drawable.arrow_240), resources.getDrawable(R.drawable.arrow_260), resources.getDrawable(R.drawable.arrow_280), resources.getDrawable(R.drawable.arrow_300), resources.getDrawable(R.drawable.arrow_320), resources.getDrawable(R.drawable.arrow_340) }; arrowWidth = arrows[lastHeading].getIntrinsicWidth(); arrowHeight = arrows[lastHeading].getIntrinsicHeight(); for (Drawable arrow : arrows) { arrow.setBounds(0, 0, arrowWidth, arrowHeight); } statsMarker = resources.getDrawable(R.drawable.ylw_pushpin); markerWidth = statsMarker.getIntrinsicWidth(); markerHeight = statsMarker.getIntrinsicHeight(); statsMarker.setBounds(0, 0, markerWidth, markerHeight); startMarker = resources.getDrawable(R.drawable.green_dot); startMarker.setBounds(0, 0, markerWidth, markerHeight); endMarker = resources.getDrawable(R.drawable.red_dot); endMarker.setBounds(0, 0, markerWidth, markerHeight); waypointMarker = resources.getDrawable(R.drawable.blue_pushpin); waypointMarker.setBounds(0, 0, markerWidth, markerHeight); errorCirclePaint = TrackPathUtilities.getPaint(R.color.blue, context); errorCirclePaint.setAlpha(127); trackPathPainter = TrackPathPainterFactory.getTrackPathPainter(context); context.getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE) .registerOnSharedPreferenceChangeListener(this); } /** * Add a location to the map overlay. * * NOTE: This method doesn't take ownership of the given location, so it is * safe to reuse the same location while calling this method. * * @param l the location to add. */ public void addLocation(Location l) { // Queue up in the pending queue until it's merged with {@code #points}. if (!pendingPoints.offer(new CachedLocation(l))) { Log.e(TAG, "Unable to add pending points"); } } /** * Adds a segment split to the map overlay. */ public void addSegmentSplit() { if (!pendingPoints.offer(new CachedLocation())) { Log.e(TAG, "Unable to add pending points"); } } public void addWaypoint(Waypoint wpt) { // Note: We don't cache waypoints, because it's not worth the effort. if (wpt != null && wpt.getLocation() != null) { synchronized (waypoints) { waypoints.add(wpt); } } } public int getNumLocations() { synchronized (points) { return points.size() + pendingPoints.size(); } } // Visible for testing. public int getNumWaypoints() { synchronized (waypoints) { return waypoints.size(); } } public void clearPoints() { synchronized (getPoints()) { getPoints().clear(); pendingPoints.clear(); lastPathExists = false; lastViewRect = null; trackPathPainter.clear(); } } public void clearWaypoints() { synchronized (waypoints) { waypoints.clear(); } } public void setTrackDrawingEnabled(boolean trackDrawingEnabled) { this.trackDrawingEnabled = trackDrawingEnabled; } public void setShowEndMarker(boolean showEndMarker) { this.showEndMarker = showEndMarker; } @Override public void draw(Canvas canvas, MapView mapView, boolean shadow) { if (shadow) { return; } // It's safe to keep projection within a single draw operation. final Projection projection = getMapProjection(mapView); if (projection == null) { Log.w(TAG, "No projection, unable to draw"); return; } // Get the current viewing window. if (trackDrawingEnabled) { Rect viewRect = getMapViewRect(mapView); // Draw the selected track: drawTrack(canvas, projection, viewRect); // Draw the "Start" and "End" markers: drawMarkers(canvas, projection); // Draw the waypoints: drawWaypoints(canvas, projection); } // Draw the current location drawMyLocation(canvas, projection); } private void drawMarkers(Canvas canvas, Projection projection) { // Draw the "End" marker. if (showEndMarker) { for (int i = getPoints().size() - 1; i >= 0; --i) { if (getPoints().get(i).valid) { drawElement(canvas, projection, getPoints().get(i).geoPoint, endMarker, -markerWidth / 2, -markerHeight); break; } } } // Draw the "Start" marker. for (int i = 0; i < getPoints().size(); ++i) { if (getPoints().get(i).valid) { drawElement(canvas, projection, getPoints().get(i).geoPoint, startMarker, -markerWidth / 2, -markerHeight); break; } } } // Visible for testing. Projection getMapProjection(MapView mapView) { return mapView.getProjection(); } // Visible for testing. Rect getMapViewRect(MapView mapView) { int w = mapView.getLongitudeSpan(); int h = mapView.getLatitudeSpan(); int cx = mapView.getMapCenter().getLongitudeE6(); int cy = mapView.getMapCenter().getLatitudeE6(); return new Rect(cx - w / 2, cy - h / 2, cx + w / 2, cy + h / 2); } // For use in testing only. public TrackPathPainter getTrackPathPainter() { return trackPathPainter; } // For use in testing only. public void setTrackPathPainter(TrackPathPainter trackPathPainter) { this.trackPathPainter = trackPathPainter; } private void drawWaypoints(Canvas canvas, Projection projection) { synchronized (waypoints) {; for (Waypoint wpt : waypoints) { Location loc = wpt.getLocation(); drawElement(canvas, projection, LocationUtils.getGeoPoint(loc), wpt.getType() == Waypoint.TYPE_STATISTICS ? statsMarker : waypointMarker, -(markerWidth / 2) + 3, -markerHeight); } } } private void drawMyLocation(Canvas canvas, Projection projection) { // Draw the arrow icon. if (myLocation == null) { return; } Point pt = drawElement(canvas, projection, LocationUtils.getGeoPoint(myLocation), arrows[lastHeading], -(arrowWidth / 2) + 3, -(arrowHeight / 2)); // Draw the error circle. float radius = projection.metersToEquatorPixels(myLocation.getAccuracy()); canvas.drawCircle(pt.x, pt.y, radius, errorCirclePaint); } private void drawTrack(Canvas canvas, Projection projection, Rect viewRect) { boolean draw; synchronized (points) { // Merge the pending points with the list of cached locations. final GeoPoint referencePoint = projection.fromPixels(0, 0); int newPoints = pendingPoints.drainTo(points); boolean newProjection = !viewRect.equals(lastViewRect) || !referencePoint.equals(lastReferencePoint); if (newPoints == 0 && lastPathExists && !newProjection) { // No need to recreate path (same points and viewing area). draw = true; } else { int numPoints = points.size(); if (numPoints < 2) { // Not enough points to draw a path. draw = false; } else if (!trackPathPainter.needsRedraw() && lastPathExists && !newProjection) { // Incremental update of the path, without repositioning the view. draw = true; trackPathPainter.updatePath(projection, viewRect, numPoints - newPoints, alwaysVisible, points); } else { // The view has changed so we have to start from scratch. draw = true; trackPathPainter.updatePath(projection, viewRect, 0, alwaysVisible, points); } } lastReferencePoint = referencePoint; lastViewRect = viewRect; } if (draw) { trackPathPainter.drawTrack(canvas); } } // Visible for testing. Point drawElement(Canvas canvas, Projection projection, GeoPoint geoPoint, Drawable element, int offsetX, int offsetY) { Point pt = new Point(); projection.toPixels(geoPoint, pt); canvas.save(); canvas.translate(pt.x + offsetX, pt.y + offsetY); element.draw(canvas); canvas.restore(); return pt; } /** * Sets the pointer location (will be drawn on next invalidate). */ public void setMyLocation(Location myLocation) { this.myLocation = myLocation; } /** * Sets the pointer heading in degrees (will be drawn on next invalidate). * * @return true if the visible heading changed (i.e. a redraw of pointer is * potentially necessary) */ public boolean setHeading(float heading) { int newhdg = Math.round(-heading / 360 * 18 + 180); while (newhdg < 0) newhdg += 18; while (newhdg > 17) newhdg -= 18; if (newhdg != lastHeading) { lastHeading = newhdg; return true; } else { return false; } } @Override public boolean onTap(GeoPoint p, MapView mapView) { if (p.equals(mapView.getMapCenter())) { // There is (unfortunately) no good way to determine whether the tap was // caused by an actual tap on the screen or the track ball. If the // location is equal to the map center,then it was a track ball press with // very high likelihood. return false; } final Location tapLocation = LocationUtils.getLocation(p); double dmin = Double.MAX_VALUE; Waypoint waypoint = null; synchronized (waypoints) { for (int i = 0; i < waypoints.size(); i++) { final Location waypointLocation = waypoints.get(i).getLocation(); if (waypointLocation == null) { continue; } final double d = waypointLocation.distanceTo(tapLocation); if (d < dmin) { dmin = d; waypoint = waypoints.get(i); } } } if (waypoint != null && dmin < 15000000 / Math.pow(2, mapView.getZoomLevel())) { Intent intent = new Intent(context, WaypointDetails.class); intent.putExtra(WaypointDetails.WAYPOINT_ID_EXTRA, waypoint.getId()); context.startActivity(intent); return true; } return super.onTap(p, mapView); } /** * @return the points */ public List<CachedLocation> getPoints() { return points; } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { Log.d(TAG, "MapOverlay: onSharedPreferences changed " + key); if (key != null) { if (key.equals(context.getString(R.string.track_color_mode_key))) { trackPathPainter = TrackPathPainterFactory.getTrackPathPainter(context); } } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/MapOverlay.java
Java
asf20
15,424
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.content.Sensor; import com.google.android.apps.mytracks.services.ITrackRecordingService; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.services.sensors.SensorManager; import com.google.android.apps.mytracks.services.sensors.SensorManagerFactory; import com.google.android.apps.mytracks.services.sensors.SensorUtils; import com.google.android.maps.mytracks.R; import com.google.protobuf.InvalidProtocolBufferException; import android.app.Activity; import android.os.Bundle; import android.os.RemoteException; import android.util.Log; import android.widget.TextView; import java.text.DateFormat; import java.util.Date; import java.util.Timer; import java.util.TimerTask; /** * An activity that displays information about sensors. * * @author Sandor Dornbush */ public class SensorStateActivity extends Activity { private static final DateFormat TIMESTAMP_FORMAT = DateFormat.getTimeInstance(DateFormat.SHORT); private static final long REFRESH_PERIOD_MS = 250; private final StatsUtilities utils; /** * This timer periodically invokes the refresh timer task. */ private Timer timer; private final Runnable stateUpdater = new Runnable() { public void run() { if (isVisible) // only update when UI is visible updateState(); } }; /** * Connection to the recording service. */ private TrackRecordingServiceConnection serviceConnection; /** * A task which will update the U/I. */ private class RefreshTask extends TimerTask { @Override public void run() { runOnUiThread(stateUpdater); } }; /** * A temporary sensor manager, when none is available. */ SensorManager tempSensorManager = null; /** * A state flag set to true when the activity is active/visible, * i.e. after resume, and before pause * * Used to avoid updating after the pause event, because sometimes an update * event occurs even after the timer is cancelled. In this case, * it could cause the {@link #tempSensorManager} to be recreated, after it * is destroyed at the pause event. */ boolean isVisible = false; public SensorStateActivity() { utils = new StatsUtilities(this); Log.w(TAG, "SensorStateActivity()"); } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); Log.w(TAG, "SensorStateActivity.onCreate"); setContentView(R.layout.sensor_state); serviceConnection = new TrackRecordingServiceConnection(this, stateUpdater); serviceConnection.bindIfRunning(); updateState(); } @Override protected void onResume() { super.onResume(); isVisible = true; serviceConnection.bindIfRunning(); timer = new Timer(); timer.schedule(new RefreshTask(), REFRESH_PERIOD_MS, REFRESH_PERIOD_MS); } @Override protected void onPause() { isVisible = false; timer.cancel(); timer.purge(); timer = null; stopTempSensorManager(); super.onPause(); } @Override protected void onDestroy() { serviceConnection.unbind(); super.onDestroy(); } protected void updateState() { Log.d(TAG, "Updating SensorStateActivity"); ITrackRecordingService service = serviceConnection.getServiceIfBound(); // Check if service is available, and recording. boolean isRecording = false; if (service != null) { try { isRecording = service.isRecording(); } catch (RemoteException e) { Log.e(TAG, "Unable to determine if service is recording.", e); } } // If either service isn't available, or not recording. if (!isRecording) { updateFromTempSensorManager(); } else { updateFromSysSensorManager(); } } private void updateFromTempSensorManager() { // Use variables to hold the sensor state and data set. Sensor.SensorState currentState = null; Sensor.SensorDataSet currentDataSet = null; // If no temp sensor manager is present, create one, and start it. if (tempSensorManager == null) { tempSensorManager = SensorManagerFactory.getSensorManager(this); if (tempSensorManager != null) tempSensorManager.onStartTrack(); } // If a temp sensor manager is available, use states from temp sensor // manager. if (tempSensorManager != null) { currentState = tempSensorManager.getSensorState(); currentDataSet = tempSensorManager.getSensorDataSet(); } // Update the sensor state, and sensor data, using the variables. updateSensorStateAndData(currentState, currentDataSet); } private void updateFromSysSensorManager() { // Use variables to hold the sensor state and data set. Sensor.SensorState currentState = null; Sensor.SensorDataSet currentDataSet = null; ITrackRecordingService service = serviceConnection.getServiceIfBound(); // If a temp sensor manager is present, shut it down, // probably recording just started. stopTempSensorManager(); // Get sensor details from the service. if (service == null) { Log.d(TAG, "Could not get track recording service."); } else { try { byte[] buff = service.getSensorData(); if (buff != null) { currentDataSet = Sensor.SensorDataSet.parseFrom(buff); } } catch (RemoteException e) { Log.e(TAG, "Could not read sensor data.", e); } catch (InvalidProtocolBufferException e) { Log.e(TAG, "Could not read sensor data.", e); } try { currentState = Sensor.SensorState.valueOf(service.getSensorState()); } catch (RemoteException e) { Log.e(TAG, "Could not read sensor state.", e); currentState = Sensor.SensorState.NONE; } } // Update the sensor state, and sensor data, using the variables. updateSensorStateAndData(currentState, currentDataSet); } /** * Stops the temporary sensor manager, if one exists. */ private void stopTempSensorManager() { if (tempSensorManager != null) { tempSensorManager.shutdown(); tempSensorManager = null; } } private void updateSensorStateAndData(Sensor.SensorState state, Sensor.SensorDataSet dataSet) { updateSensorState(state == null ? Sensor.SensorState.NONE : state); updateSensorData(dataSet); } private void updateSensorState(Sensor.SensorState state) { TextView sensorTime = ((TextView) findViewById(R.id.sensor_state_register)); sensorTime.setText(SensorUtils.getStateAsString(state, this)); } protected void updateSensorData(Sensor.SensorDataSet sds) { if (sds == null) { utils.setUnknown(R.id.sensor_data_time_register); utils.setUnknown(R.id.cadence_state_register); utils.setUnknown(R.id.power_state_register); utils.setUnknown(R.id.heart_rate_register); utils.setUnknown(R.id.battery_level_register); return; } TextView sensorTime = ((TextView) findViewById(R.id.sensor_data_time_register)); sensorTime.setText( TIMESTAMP_FORMAT.format(new Date(sds.getCreationTime()))); if (sds.hasPower() && sds.getPower().hasValue() && sds.getPower().getState() == Sensor.SensorState.SENDING) { utils.setText(R.id.power_state_register, Integer.toString(sds.getPower().getValue())); } else { utils.setText(R.id.power_state_register, SensorUtils.getStateAsString( sds.hasPower() ? sds.getPower().getState() : Sensor.SensorState.NONE, this)); } if (sds.hasCadence() && sds.getCadence().hasValue() && sds.getCadence().getState() == Sensor.SensorState.SENDING) { utils.setText(R.id.cadence_state_register, Integer.toString(sds.getCadence().getValue())); } else { utils.setText(R.id.cadence_state_register, SensorUtils.getStateAsString( sds.hasCadence() ? sds.getCadence().getState() : Sensor.SensorState.NONE, this)); } if (sds.hasHeartRate() && sds.getHeartRate().hasValue() && sds.getHeartRate().getState() == Sensor.SensorState.SENDING) { utils.setText(R.id.heart_rate_register, Integer.toString(sds.getHeartRate().getValue())); } else { utils.setText(R.id.heart_rate_register, SensorUtils.getStateAsString( sds.hasHeartRate() ? sds.getHeartRate().getState() : Sensor.SensorState.NONE, this)); } if (sds.hasBatteryLevel() && sds.getBatteryLevel().hasValue() && sds.getBatteryLevel().getState() == Sensor.SensorState.SENDING) { utils.setText(R.id.battery_level_register, Integer.toString(sds.getBatteryLevel().getValue())); } else { utils.setText(R.id.battery_level_register, SensorUtils.getStateAsString( sds.hasBatteryLevel() ? sds.getBatteryLevel().getState() : Sensor.SensorState.NONE, this)); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/SensorStateActivity.java
Java
asf20
9,948
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.TracksColumns; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.ContentValues; import android.os.Bundle; import android.util.Log; import android.view.View; import android.view.View.OnClickListener; import android.widget.ArrayAdapter; import android.widget.AutoCompleteTextView; import android.widget.Button; import android.widget.EditText; /** * An activity that let's the user see and edit the user editable track meta * data such as name, activity type and description. * * @author Leif Hendrik Wilden */ public class TrackDetails extends Activity implements OnClickListener { /** * The id of the track being edited (taken from bundle, "trackid") */ private Long trackId; private EditText name; private EditText description; private AutoCompleteTextView category; @Override protected void onCreate(Bundle bundle) { super.onCreate(bundle); setContentView(R.layout.mytracks_detail); // Required extra when launching this intent: trackId = getIntent().getLongExtra("trackid", -1); if (trackId < 0) { Log.d(Constants.TAG, "MyTracksDetails intent was launched w/o track id."); finish(); return; } // Optional extra that can be used to suppress the cancel button: boolean hasCancelButton = getIntent().getBooleanExtra("hasCancelButton", true); name = (EditText) findViewById(R.id.trackdetails_name); description = (EditText) findViewById(R.id.trackdetails_description); category = (AutoCompleteTextView) findViewById(R.id.trackdetails_category); ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource( this, R.array.activity_types, android.R.layout.simple_dropdown_item_1line); category.setAdapter(adapter); Button cancel = (Button) findViewById(R.id.trackdetails_cancel); if (hasCancelButton) { cancel.setOnClickListener(this); cancel.setVisibility(View.VISIBLE); } else { cancel.setVisibility(View.INVISIBLE); } Button save = (Button) findViewById(R.id.trackdetails_save); save.setOnClickListener(this); fillDialog(); } private void fillDialog() { Track track = MyTracksProviderUtils.Factory.get(this).getTrack(trackId); if (track != null) { name.setText(track.getName()); description.setText(track.getDescription()); category.setText(track.getCategory()); } } private void saveDialog() { ContentValues values = new ContentValues(); values.put(TracksColumns.NAME, name.getText().toString()); values.put(TracksColumns.DESCRIPTION, description.getText().toString()); values.put(TracksColumns.CATEGORY, category.getText().toString()); getContentResolver().update( TracksColumns.CONTENT_URI, values, "_id = " + trackId, null/*selectionArgs*/); } @Override public void onClick(View v) { switch (v.getId()) { case R.id.trackdetails_cancel: finish(); break; case R.id.trackdetails_save: saveDialog(); finish(); break; } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/TrackDetails.java
Java
asf20
3,940
package com.google.android.apps.mytracks; import com.google.android.maps.mytracks.R; import android.content.Context; import android.preference.EditTextPreference; import android.util.AttributeSet; import android.view.View; import android.view.ViewGroup; import android.view.ViewParent; import android.widget.ArrayAdapter; import android.widget.AutoCompleteTextView; /** * The {@link AutoCompleteTextPreference} class is a preference that allows for * string input using auto complete . It is a subclass of * {@link EditTextPreference} and shows the {@link AutoCompleteTextView} in a * dialog. * <p> * This preference will store a string into the SharedPreferences. * * @author Rimas Trumpa (with Matt Levan) */ public class AutoCompleteTextPreference extends EditTextPreference { private AutoCompleteTextView mEditText = null; public AutoCompleteTextPreference(Context context, AttributeSet attrs) { super(context, attrs); mEditText = new AutoCompleteTextView(context, attrs); mEditText.setThreshold(0); // Gets autocomplete values for 'Default Activity' preference if (getKey().equals(context.getString(R.string.default_activity_key))) { ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource(context, R.array.activity_types, android.R.layout.simple_dropdown_item_1line); mEditText.setAdapter(adapter); } } @Override protected void onBindDialogView(View view) { AutoCompleteTextView editText = mEditText; editText.setText(getText()); ViewParent oldParent = editText.getParent(); if (oldParent != view) { if (oldParent != null) { ((ViewGroup) oldParent).removeView(editText); } onAddEditTextToDialogView(view, editText); } } @Override protected void onDialogClosed(boolean positiveResult) { if (positiveResult) { String value = mEditText.getText().toString(); if (callChangeListener(value)) { setText(value); } } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/AutoCompleteTextPreference.java
Java
asf20
1,994
/* * 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.accounts.Account; import android.accounts.AccountManager; import android.app.Activity; import android.app.AlertDialog; import android.content.DialogInterface; import android.util.Log; /** * Choose which account to upload track information to. * @author Sandor Dornbush */ public class AccountChooser { /** * The last selected account. */ private int selectedAccountIndex = -1; private Account selectedAccount = null; /** * An interface for receiving updates once the user has selected the account. */ public interface AccountHandler { /** * Handle the account being selected. * @param account The selected account or null if none could be found */ public void onAccountSelected(Account account); } /** * Chooses the best account to upload to. * If no account is found the user will be alerted. * If only one account is found that will be used. * If multiple accounts are found the user will be allowed to choose. * * @param activity The parent activity * @param handler The handler to be notified when an account has been selected */ public void chooseAccount(final Activity activity, final AccountHandler handler) { final Account[] accounts = AccountManager.get(activity) .getAccountsByType(Constants.ACCOUNT_TYPE); if (accounts.length < 1) { alertNoAccounts(activity, handler); return; } if (accounts.length == 1) { handler.onAccountSelected(accounts[0]); return; } // TODO This should be read out of a preference. if (selectedAccount != null) { handler.onAccountSelected(selectedAccount); return; } // Let the user choose. Log.e(Constants.TAG, "Multiple matching accounts found."); final AlertDialog.Builder builder = new AlertDialog.Builder(activity); builder.setTitle(R.string.send_google_choose_account_title); builder.setCancelable(false); builder.setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); if (selectedAccountIndex >= 0) { selectedAccount = accounts[selectedAccountIndex]; } handler.onAccountSelected(selectedAccount); } }); builder.setNegativeButton(R.string.generic_cancel, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); handler.onAccountSelected(null); } }); String[] choices = new String[accounts.length]; for (int i = 0; i < accounts.length; i++) { choices[i] = accounts[i].name; } builder.setSingleChoiceItems(choices, selectedAccountIndex, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { selectedAccountIndex = which; } }); builder.show(); } public void setChosenAccount(String accountName, String accountType) { selectedAccount = new Account(accountName, accountType); } /** * Puts up a dialog alerting the user that no suitable account was found. */ private void alertNoAccounts(final Activity activity, final AccountHandler handler) { Log.e(Constants.TAG, "No matching accounts found."); final AlertDialog.Builder builder = new AlertDialog.Builder(activity); builder.setTitle(R.string.send_google_no_account_title); builder.setMessage(R.string.send_google_no_account_message); builder.setCancelable(true); builder.setPositiveButton(R.string.generic_ok, new DialogInterface.OnClickListener() { public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); handler.onAccountSelected(null); } }); builder.show(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/AccountChooser.java
Java
asf20
4,560
/* * 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.ChartValueSeries.ZoomSettings; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.stats.ExtremityMonitor; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import android.content.Context; import android.content.Intent; import android.graphics.Canvas; import android.graphics.Color; import android.graphics.DashPathEffect; import android.graphics.Paint; import android.graphics.Paint.Align; import android.graphics.Paint.Style; import android.graphics.Path; import android.graphics.drawable.Drawable; import android.view.MotionEvent; import android.view.VelocityTracker; import android.view.View; import android.view.ViewConfiguration; import android.widget.Scroller; import java.text.NumberFormat; import java.util.ArrayList; /** * Visualization of the chart. * * @author Sandor Dornbush * @author Leif Hendrik Wilden */ public class ChartView extends View { private static final int MIN_ZOOM_LEVEL = 1; /* * Scrolling logic: */ private final Scroller scroller; private VelocityTracker velocityTracker = null; /** Position of the last motion event */ private float lastMotionX; /* * Zoom logic: */ private int zoomLevel = 1; private int maxZoomLevel = 10; private static final int MAX_INTERVALS = 5; /* * Borders, margins, dimensions (in pixels): */ private int leftBorder = -1; /** * Unscaled top border of the chart. */ private static final int TOP_BORDER = 15; /** * Device scaled top border of the chart. */ private int topBorder; /** * Unscaled bottom border of the chart. */ private static final float BOTTOM_BORDER = 40; /** * Device scaled bottom border of the chart. */ private int bottomBorder; private static final int RIGHT_BORDER = 17; /** Space to leave for drawing the unit labels */ private static final int UNIT_BORDER = 15; private static final int FONT_HEIGHT = 10; private int w = 0; private int h = 0; private int effectiveWidth = 0; private int effectiveHeight = 0; /* * Ranges (in data units): */ private double maxX = 1; /** * The various series. */ public static final int ELEVATION_SERIES = 0; public static final int SPEED_SERIES = 1; public static final int POWER_SERIES = 2; public static final int CADENCE_SERIES = 3; public static final int HEART_RATE_SERIES = 4; public static final int NUM_SERIES = 5; private ChartValueSeries[] series; private final ExtremityMonitor xMonitor = new ExtremityMonitor(); private static final NumberFormat X_FORMAT = NumberFormat.getIntegerInstance(); private static final NumberFormat X_SHORT_FORMAT = NumberFormat.getNumberInstance(); static { X_SHORT_FORMAT.setMaximumFractionDigits(1); X_SHORT_FORMAT.setMinimumFractionDigits(1); } /* * Paints etc. used when drawing the chart: */ private final Paint borderPaint = new Paint(); private final Paint labelPaint = new Paint(); private final Paint gridPaint = new Paint(); private final Paint gridBarPaint = new Paint(); private final Paint clearPaint = new Paint(); private final Drawable pointer; private final Drawable statsMarker; private final Drawable waypointMarker; private final int markerWidth, markerHeight; /** * The chart data stored as an array of double arrays. Each one dimensional * array is composed of [x, y]. */ private final ArrayList<double[]> data = new ArrayList<double[]>(); /** * List of way points to be displayed. */ private final ArrayList<Waypoint> waypoints = new ArrayList<Waypoint>(); private boolean metricUnits = true; private boolean showPointer = false; /** Display chart versus distance or time */ public enum Mode { BY_DISTANCE, BY_TIME } private Mode mode = Mode.BY_DISTANCE; public ChartView(Context context) { super(context); setUpChartValueSeries(context); labelPaint.setStyle(Style.STROKE); labelPaint.setColor(context.getResources().getColor(R.color.black)); labelPaint.setAntiAlias(true); borderPaint.setStyle(Style.STROKE); borderPaint.setColor(context.getResources().getColor(R.color.black)); borderPaint.setAntiAlias(true); gridPaint.setStyle(Style.STROKE); gridPaint.setColor(context.getResources().getColor(R.color.gray)); gridPaint.setAntiAlias(false); gridBarPaint.set(gridPaint); gridBarPaint.setPathEffect(new DashPathEffect(new float[] {3, 2}, 0)); clearPaint.setStyle(Style.FILL); clearPaint.setColor(context.getResources().getColor(R.color.white)); clearPaint.setAntiAlias(false); pointer = context.getResources().getDrawable(R.drawable.arrow_180); pointer.setBounds(0, 0, pointer.getIntrinsicWidth(), pointer.getIntrinsicHeight()); statsMarker = getResources().getDrawable(R.drawable.ylw_pushpin); markerWidth = statsMarker.getIntrinsicWidth(); markerHeight = statsMarker.getIntrinsicHeight(); statsMarker.setBounds(0, 0, markerWidth, markerHeight); waypointMarker = getResources().getDrawable(R.drawable.blue_pushpin); waypointMarker.setBounds(0, 0, markerWidth, markerHeight); scroller = new Scroller(context); setFocusable(true); setClickable(true); updateDimensions(); } private void setUpChartValueSeries(Context context) { series = new ChartValueSeries[NUM_SERIES]; // Create the value series. series[ELEVATION_SERIES] = new ChartValueSeries(context, R.color.elevation_fill, R.color.elevation_border, new ZoomSettings(MAX_INTERVALS, new int[] {5, 10, 25, 50, 100, 250, 500, 1000, 2500, 5000}), R.string.stat_elevation); series[SPEED_SERIES] = new ChartValueSeries(context, R.color.speed_fill, R.color.speed_border, new ZoomSettings(MAX_INTERVALS, 0, Integer.MIN_VALUE, new int[] {1, 5, 10, 20, 50}), R.string.stat_speed); series[POWER_SERIES] = new ChartValueSeries(context, R.color.power_fill, R.color.power_border, new ZoomSettings(MAX_INTERVALS, 0, 1000, new int[] {5, 50, 100, 200}), R.string.sensor_state_power); series[CADENCE_SERIES] = new ChartValueSeries(context, R.color.cadence_fill, R.color.cadence_border, new ZoomSettings(MAX_INTERVALS, 0, Integer.MIN_VALUE, new int[] {5, 10, 25, 50}), R.string.sensor_state_cadence); series[HEART_RATE_SERIES] = new ChartValueSeries(context, R.color.heartrate_fill, R.color.heartrate_border, new ZoomSettings(MAX_INTERVALS, 0, Integer.MIN_VALUE, new int[] {25, 50}), R.string.sensor_state_heart_rate); } public void clearWaypoints() { waypoints.clear(); } public void addWaypoint(Waypoint waypoint) { waypoints.add(waypoint); } /** * Determines whether the pointer icon is shown on the last data point. */ public void setShowPointer(boolean showPointer) { this.showPointer = showPointer; } /** * Sets whether metric units are used or not. */ public void setMetricUnits(boolean metricUnits) { this.metricUnits = metricUnits; } public void setReportSpeed(boolean reportSpeed, Context c) { series[SPEED_SERIES].setTitle(c.getString(reportSpeed ? R.string.stat_speed : R.string.stat_pace)); } private void addDataPointInternal(double[] theData) { xMonitor.update(theData[0]); int min = Math.min(series.length, theData.length - 1); for (int i = 1; i <= min; i++) { if (!Double.isNaN(theData[i])) { series[i - 1].update(theData[i]); } } // Fill in the extra's if needed. for (int i = theData.length; i < series.length; i++) { if (series[i].hasData()) { series[i].update(0); } } } /** * Adds multiple data points to the chart. * * @param theData an array list of data points to be added */ public void addDataPoints(ArrayList<double[]> theData) { synchronized (data) { data.addAll(theData); for (int i = 0; i < theData.size(); i++) { double d[] = theData.get(i); addDataPointInternal(d); } updateDimensions(); setUpPath(); } } /** * Clears all data. */ public void reset() { synchronized (data) { data.clear(); xMonitor.reset(); zoomLevel = 1; updateDimensions(); } } public void resetScroll() { scrollTo(0, 0); } /** * @return true if the chart can be zoomed into. */ public boolean canZoomIn() { return zoomLevel < maxZoomLevel; } /** * @return true if the chart can be zoomed out */ public boolean canZoomOut() { return zoomLevel > MIN_ZOOM_LEVEL; } /** * Zooms in one level (factor 2). */ public void zoomIn() { if (canZoomIn()) { zoomLevel++; setUpPath(); invalidate(); } } /** * Zooms out one level (factor 2). */ public void zoomOut() { if (canZoomOut()) { zoomLevel--; scroller.abortAnimation(); int scrollX = getScrollX(); if (scrollX > effectiveWidth * (zoomLevel - 1)) { scrollX = effectiveWidth * (zoomLevel - 1); scrollTo(scrollX, 0); } setUpPath(); invalidate(); } } /** * Initiates flinging. * * @param velocityX start velocity (pixels per second) */ public void fling(int velocityX) { scroller.fling(getScrollX(), 0, velocityX, 0, 0, effectiveWidth * (zoomLevel - 1), 0, 0); invalidate(); } /** * Scrolls the view horizontally by the given amount. * * @param deltaX number of pixels to scroll */ public void scrollBy(int deltaX) { int scrollX = getScrollX() + deltaX; if (scrollX < 0) { scrollX = 0; } int available = effectiveWidth * (zoomLevel - 1); if (scrollX > available) { scrollX = available; } scrollTo(scrollX, 0); } /** * @return the current display mode (by distance, by time) */ public Mode getMode() { return mode; } /** * Sets the display mode (by distance, by time). * It is expected that after the mode change, data will be reloaded. */ public void setMode(Mode mode) { this.mode = mode; } private int getWaypointX(Waypoint waypoint) { return (mode == Mode.BY_DISTANCE) ? getX(metricUnits ? waypoint.getLength() / 1000.0 : waypoint.getLength() * UnitConversions.KM_TO_MI / 1000.0) : getX(waypoint.getDuration()); } /** * Called by the parent to indicate that the mScrollX/Y values need to be * updated. Triggers a redraw during flinging. */ @Override public void computeScroll() { if (scroller.computeScrollOffset()) { int oldX = getScrollX(); int x = scroller.getCurrX(); scrollTo(x, 0); if (oldX != x) { onScrollChanged(x, 0, oldX, 0); postInvalidate(); } } } @Override public boolean onTouchEvent(MotionEvent event) { if (velocityTracker == null) { velocityTracker = VelocityTracker.obtain(); } velocityTracker.addMovement(event); final int action = event.getAction(); final float x = event.getX(); switch (action) { case MotionEvent.ACTION_DOWN: /* * If being flinged and user touches, stop the fling. isFinished will be * false if being flinged. */ if (!scroller.isFinished()) { scroller.abortAnimation(); } // Remember where the motion event started lastMotionX = x; break; case MotionEvent.ACTION_MOVE: // Scroll to follow the motion event final int deltaX = (int) (lastMotionX - x); lastMotionX = x; if (deltaX < 0) { if (getScrollX() > 0) { scrollBy(deltaX); } } else if (deltaX > 0) { final int availableToScroll = effectiveWidth * (zoomLevel - 1) - getScrollX(); if (availableToScroll > 0) { scrollBy(Math.min(availableToScroll, deltaX)); } } break; case MotionEvent.ACTION_UP: // Check if top area with waypoint markers was touched and find the // touched marker if any: if (event.getY() < 100) { int dmin = Integer.MAX_VALUE; Waypoint nearestWaypoint = null; for (int i = 0; i < waypoints.size(); i++) { final Waypoint waypoint = waypoints.get(i); final int d = Math.abs(getWaypointX(waypoint) - (int) event.getX() - getScrollX()); if (d < dmin) { dmin = d; nearestWaypoint = waypoint; } } if (nearestWaypoint != null && dmin < 100) { Intent intent = new Intent(getContext(), WaypointDetails.class); intent.putExtra(WaypointDetails.WAYPOINT_ID_EXTRA, nearestWaypoint.getId()); getContext().startActivity(intent); return true; } } VelocityTracker myVelocityTracker = velocityTracker; myVelocityTracker.computeCurrentVelocity(1000); int initialVelocity = (int) myVelocityTracker.getXVelocity(); if (Math.abs(initialVelocity) > ViewConfiguration.getMinimumFlingVelocity()) { fling(-initialVelocity); } if (velocityTracker != null) { velocityTracker.recycle(); velocityTracker = null; } break; } return true; } @Override protected void onDraw(Canvas c) { synchronized (data) { updateEffectiveDimensionsIfChanged(c); // Keep original state. c.save(); c.drawColor(Color.WHITE); if (data.isEmpty()) { // No data, draw only axes drawXAxis(c); drawYAxis(c); c.restore(); return; } // Clip to graph drawing space c.save(); clipToGraphSpace(c); // Draw the grid and the data on it. drawGrid(c); drawDataSeries(c); drawWaypoints(c); // Go back to full canvas drawing. c.restore(); // Draw the axes and their labels. drawAxesAndLabels(c); // Go back to original state. c.restore(); // Draw the pointer if (showPointer) { drawPointer(c); } } } /** Clips the given canvas to the area where the graph lines should be drawn. */ private void clipToGraphSpace(Canvas c) { c.clipRect(leftBorder + 1 + getScrollX(), topBorder + 1, w - RIGHT_BORDER + getScrollX() - 1, h - bottomBorder - 1); } /** Draws the axes and their labels into th e given canvas. */ private void drawAxesAndLabels(Canvas c) { drawXLabels(c); drawXAxis(c); drawSeriesTitles(c); c.translate(getScrollX(), 0); drawYAxis(c); float density = getContext().getResources().getDisplayMetrics().density; final int spacer = (int) (5 * density); int x = leftBorder - spacer; for (ChartValueSeries cvs : series) { if (cvs.isEnabled() && cvs.hasData()) { x -= drawYLabels(cvs, c, x) + spacer; } } } /** Draws the current pointer into the given canvas. */ private void drawPointer(Canvas c) { c.translate(getX(maxX) - pointer.getIntrinsicWidth() / 2, getY(series[0], data.get(data.size() - 1)[1]) - pointer.getIntrinsicHeight() / 2 - 12); pointer.draw(c); } /** Draws the waypoints into the given canvas. */ private void drawWaypoints(Canvas c) { for (int i = 1; i < waypoints.size(); i++) { final Waypoint waypoint = waypoints.get(i); if (waypoint.getLocation() == null) { continue; } c.save(); final float x = getWaypointX(waypoint); c.drawLine(x, h - bottomBorder, x, topBorder, gridPaint); c.translate(x - (float) markerWidth / 2.0f, (float) markerHeight); if (waypoints.get(i).getType() == Waypoint.TYPE_STATISTICS) { statsMarker.draw(c); } else { waypointMarker.draw(c); } c.restore(); } } /** Draws the data series into the given canvas. */ private void drawDataSeries(Canvas c) { for (ChartValueSeries cvs : series) { if (cvs.isEnabled() && cvs.hasData()) { cvs.drawPath(c); } } } /** Draws the colored titles for the data series. */ private void drawSeriesTitles(Canvas c) { int sections = 1; for (ChartValueSeries cvs : series) { if (cvs.isEnabled() && cvs.hasData()) { sections++; } } int j = 0; for (ChartValueSeries cvs : series) { if (cvs.isEnabled() && cvs.hasData()) { int x = (int) (w * (double) ++j / sections) + getScrollX(); c.drawText(cvs.getTitle(), x, topBorder, cvs.getLabelPaint()); } } } /** * Sets up the path that is used to draw the chart in onDraw(). The path * needs to be updated any time after the data or histogram dimensions change. */ private void setUpPath() { synchronized (data) { for (ChartValueSeries cvs : series) { cvs.getPath().reset(); } if (!data.isEmpty()) { drawPaths(); closePaths(); } } } /** Actually draws the data points as a path. */ private void drawPaths() { // All of the data points to the respective series. // TODO: Come up with a better sampling than Math.max(1, (maxZoomLevel - zoomLevel + 1) / 2); int sampling = 1; for (int i = 0; i < data.size(); i += sampling) { double[] d = data.get(i); int min = Math.min(series.length, d.length - 1); for (int j = 0; j < min; ++j) { ChartValueSeries cvs = series[j]; Path path = cvs.getPath(); int x = getX(d[0]); int y = getY(cvs, d[j + 1]); if (i == 0) { path.moveTo(x, y); } else { path.lineTo(x, y); } } } } /** Closes the drawn path so it looks like a solid graph. */ private void closePaths() { // Close the path. int yCorner = topBorder + effectiveHeight; int xCorner = getX(data.get(0)[0]); int min = series.length; for (int j = 0; j < min; j++) { ChartValueSeries cvs = series[j]; Path path = cvs.getPath(); int first = getFirstPointPopulatedIndex(j + 1); if (first != -1) { // Bottom right corner path.lineTo(getX(data.get(data.size() - 1)[0]), yCorner); // Bottom left corner path.lineTo(xCorner, yCorner); // Top right corner path.lineTo(xCorner, getY(cvs, data.get(first)[j + 1])); } } } /** * Finds the index of the first point which has a series populated. * * @param seriesIndex The index of the value series to search for * @return The index in the first data for the point in the series that has series * index value populated or -1 if none is found */ private int getFirstPointPopulatedIndex(int seriesIndex) { for (int i = 0; i < data.size(); i++) { if (data.get(i).length > seriesIndex) { return i; } } return -1; } /** * Updates the chart dimensions. */ private void updateDimensions() { maxX = xMonitor.getMax(); if (data.size() <= 1) { maxX = 1; } for (ChartValueSeries cvs : series) { cvs.updateDimension(); } // TODO: This is totally broken. Make sure that we calculate based on measureText for each // grid line, as the labels may vary across intervals. int maxLength = 0; for (ChartValueSeries cvs : series) { if (cvs.isEnabled() && cvs.hasData()) { maxLength += cvs.getMaxLabelLength(); } } float density = getContext().getResources().getDisplayMetrics().density; maxLength = Math.max(maxLength, 1); leftBorder = (int) (density * (4 + 8 * maxLength)); bottomBorder = (int) (density * BOTTOM_BORDER); topBorder = (int) (density * TOP_BORDER); updateEffectiveDimensions(); } /** Updates the effective dimensions where the graph will be drawn. */ private void updateEffectiveDimensions() { effectiveWidth = Math.max(0, w - leftBorder - RIGHT_BORDER); effectiveHeight = Math.max(0, h - topBorder - bottomBorder); } /** * Updates the effective dimensions where the graph will be drawn, only if the * dimensions of the given canvas have changed since the last call. */ private void updateEffectiveDimensionsIfChanged(Canvas c) { if (w != c.getWidth() || h != c.getHeight()) { // Dimensions have changed (for example due to orientation change). w = c.getWidth(); h = c.getHeight(); updateEffectiveDimensions(); setUpPath(); } } private int getX(double distance) { return leftBorder + (int) ((distance * effectiveWidth / maxX) * zoomLevel); } private int getY(ChartValueSeries cvs, double y) { int effectiveSpread = cvs.getInterval() * MAX_INTERVALS; return topBorder + effectiveHeight - (int) ((y - cvs.getMin()) * effectiveHeight / effectiveSpread); } /** Draws the labels on the X axis into the given canvas. */ private void drawXLabels(Canvas c) { double interval = (int) (maxX / zoomLevel / 4); boolean shortFormat = false; if (interval < 1) { interval = .5; shortFormat = true; } else if (interval < 5) { interval = 2; } else if (interval < 10) { interval = 5; } else { interval = (interval / 10) * 10; } drawXLabel(c, 0, shortFormat); int numLabels = 1; for (int i = 1; i * interval < maxX; i++) { drawXLabel(c, i * interval, shortFormat); numLabels++; } if (numLabels < 2) { drawXLabel(c, (int) maxX, shortFormat); } } /** Draws the labels on the Y axis into the given canvas. */ private float drawYLabels(ChartValueSeries cvs, Canvas c, int x) { int interval = cvs.getInterval(); float maxTextWidth = 0; for (int i = 0; i < MAX_INTERVALS; ++i) { maxTextWidth = Math.max(maxTextWidth, drawYLabel(cvs, c, x, i * interval + cvs.getMin())); } return maxTextWidth; } /** Draws a single label on the X axis. */ private void drawXLabel(Canvas c, double x, boolean shortFormat) { if (x < 0) { return; } String s = (mode == Mode.BY_DISTANCE) ? (shortFormat ? X_SHORT_FORMAT.format(x) : X_FORMAT.format(x)) : StringUtils.formatTime((long) x); c.drawText(s, getX(x), effectiveHeight + UNIT_BORDER + topBorder, labelPaint); } /** Draws a single label on the Y axis. */ private float drawYLabel(ChartValueSeries cvs, Canvas c, int x, int y) { int desiredY = (int) ((y - cvs.getMin()) * effectiveHeight / (cvs.getInterval() * MAX_INTERVALS)); desiredY = topBorder + effectiveHeight + FONT_HEIGHT / 2 - desiredY - 1; Paint p = new Paint(cvs.getLabelPaint()); p.setTextAlign(Align.RIGHT); String text = cvs.getFormat().format(y); c.drawText(text, x, desiredY, p); return p.measureText(text); } /** Draws the actual X axis line and its label. */ private void drawXAxis(Canvas canvas) { float rightEdge = getX(maxX); final int y = effectiveHeight + topBorder; canvas.drawLine(leftBorder, y, rightEdge, y, borderPaint); Context c = getContext(); String s = mode == Mode.BY_DISTANCE ? (metricUnits ? c.getString(R.string.unit_kilometer) : c.getString(R.string.unit_mile)) : c.getString(R.string.unit_minute); canvas.drawText(s, rightEdge, effectiveHeight + .2f * UNIT_BORDER + topBorder, labelPaint); } /** Draws the actual Y axis line and its label. */ private void drawYAxis(Canvas canvas) { canvas.drawRect(0, 0, leftBorder - 1, effectiveHeight + topBorder + UNIT_BORDER + 1, clearPaint); canvas.drawLine(leftBorder, UNIT_BORDER + topBorder, leftBorder, effectiveHeight + topBorder, borderPaint); for (int i = 1; i < MAX_INTERVALS; ++i) { int y = i * effectiveHeight / MAX_INTERVALS + topBorder; canvas.drawLine(leftBorder - 5, y, leftBorder, y, gridPaint); } Context c = getContext(); // TODO: This should really show units for all series. String s = metricUnits ? c.getString(R.string.unit_meter) : c.getString(R.string.unit_feet); canvas.drawText(s, leftBorder - UNIT_BORDER * .2f, UNIT_BORDER * .8f + topBorder, labelPaint); } /** Draws the grid for the graph. */ private void drawGrid(Canvas c) { float rightEdge = getX(maxX); for (int i = 1; i < MAX_INTERVALS; ++i) { int y = i * effectiveHeight / MAX_INTERVALS + topBorder; c.drawLine(leftBorder, y, rightEdge, y, gridBarPaint); } } /** * Returns whether a given time series is enabled for drawing. * * @param index the time series, one of {@link #ELEVATION_SERIES}, * {@link #SPEED_SERIES}, {@link #POWER_SERIES}, etc. * @return true if drawn, false otherwise */ public boolean isChartValueSeriesEnabled(int index) { return series[index].isEnabled(); } /** * Sets whether a given time series will be enabled for drawing. * * @param index the time series, one of {@link #ELEVATION_SERIES}, * {@link #SPEED_SERIES}, {@link #POWER_SERIES}, etc. */ public void setChartValueSeriesEnabled(int index, boolean enabled) { series[index].setEnabled(enabled); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/ChartView.java
Java
asf20
26,924
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.io.AuthManager; import com.google.android.apps.mytracks.io.AuthManager.AuthCallback; import com.google.android.apps.mytracks.io.AuthManagerFactory; import com.google.android.apps.mytracks.io.mymaps.MapsFacade; import com.google.android.apps.mytracks.io.mymaps.MyMapsConstants; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Intent; import android.os.Bundle; import android.util.Log; import android.view.View; import android.widget.AdapterView; import android.widget.AdapterView.OnItemClickListener; import android.widget.ListView; import android.widget.TextView; /** * Activity which displays the list of current My Maps tracks for the user. * Returns RESULT_OK if the user picked a map, and returns "mapid" as an extra. * * @author Rodrigo Damazio */ public class MyMapsList extends Activity implements MapsFacade.MapsListCallback { private static final int GET_LOGIN = 1; public static final String EXTRA_ACCOUNT_NAME = "accountName"; public static final String EXTRA_ACCOUNT_TYPE = "accountType"; private MapsFacade mapsClient; private AuthManager auth; private MyMapsListAdapter listAdapter; private final OnItemClickListener clickListener = new OnItemClickListener() { @Override public void onItemClick(AdapterView<?> parent, View v, int position, long id) { Intent result = new Intent(); result.putExtra("mapid", (String) listAdapter.getItem(position)); setResult(RESULT_OK, result); finish(); } }; /** Called when the activity is first created. */ @Override public void onCreate(Bundle icicle) { super.onCreate(icicle); auth = AuthManagerFactory.getAuthManager(this, GET_LOGIN, null, true, MyMapsConstants.SERVICE_NAME); setContentView(R.layout.list); listAdapter = new MyMapsListAdapter(this); ListView list = (ListView) findViewById(R.id.maplist); list.setOnItemClickListener(clickListener); list.setAdapter(listAdapter); startLogin(); } private void startLogin() { // Starts in the UI thread. // TODO fix this for non-froyo devices. if (AuthManagerFactory.useModernAuthManager()) { Intent intent = getIntent(); String accountName = intent.getStringExtra(EXTRA_ACCOUNT_NAME); String accountType = intent.getStringExtra(EXTRA_ACCOUNT_TYPE); if (accountName == null || accountType == null) { Log.e(TAG, "Didn't receive account name or type"); setResult(RESULT_CANCELED); finish(); return; } doLogin(auth.getAccountObject(accountName, accountType)); } else { doLogin(null); } } private void doLogin(final Object account) { // Starts in the UI thread. auth.doLogin(new AuthCallback() { @Override public void onAuthResult(boolean success) { if (!success) { setResult(RESULT_CANCELED); finish(); return; } // Runs in UI thread. mapsClient = new MapsFacade(MyMapsList.this, auth); startLookup(); } }, account); } private void startLookup() { // Starts in the UI thread. new Thread() { @Override public void run() { // Communication with Maps happens in its own thread. // This will call onReceivedMapListing below. final boolean success = mapsClient.getMapsList(MyMapsList.this); runOnUiThread(new Runnable() { @Override public void run() { // Updating the UI when done happens in the UI thread. onLookupDone(success); } }); } }.start(); } @Override public void onReceivedMapListing(final String mapId, final String title, final String description, final boolean isPublic) { // Starts in the communication thread. runOnUiThread(new Runnable() { @Override public void run() { // Updating the list with new contents happens in the UI thread. listAdapter.addMapListing(mapId, title, description, isPublic); } }); } private void onLookupDone(boolean success) { // Starts in the UI thread. findViewById(R.id.loading).setVisibility(View.GONE); if (!success) { findViewById(R.id.failed).setVisibility(View.VISIBLE); } TextView emptyView = (TextView) findViewById(R.id.mapslist_empty); ListView list = (ListView) findViewById(R.id.maplist); list.setEmptyView(emptyView); } @Override protected void onActivityResult(int requestCode, int resultCode, Intent data) { if (requestCode == GET_LOGIN) { auth.authResult(resultCode, data); } super.onActivityResult(requestCode, resultCode, data); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/MyMapsList.java
Java
asf20
5,502
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import static com.google.android.apps.mytracks.Constants.TAG; import android.app.Activity; import android.app.Dialog; import android.util.Log; import android.view.WindowManager.BadTokenException; /** * A class to handle all dialog related events for My Tracks. * * @author Sandor Dornbush */ public class DialogManager { /** * The equivalent of {@link Dialog#show()}, but for a specific dialog * instance. */ public static void showDialogSafely(Activity activity, final Dialog dialog) { if (activity.isFinishing()) { Log.w(TAG, "Activity finishing - not showing dialog"); return; } activity.runOnUiThread(new Runnable() { public void run() { try { dialog.show(); } catch (BadTokenException e) { Log.w(TAG, "Could not display dialog", e); } catch (IllegalStateException e) { Log.w(TAG, "Could not display dialog", e); } } }); } /** * The equivalent of {@link Dialog#dismiss()}, but for a specific dialog * instance. */ public static void dismissDialogSafely(Activity activity, final Dialog dialog) { if (activity.isFinishing()) { Log.w(TAG, "Activity finishing - not dismissing dialog"); return; } activity.runOnUiThread(new Runnable() { public void run() { try { dialog.dismiss(); } catch (IllegalArgumentException e) { // This will be thrown if this dialog was not shown before. } } }); } private DialogManager() {} }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/DialogManager.java
Java
asf20
2,182
/* * 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.TracksColumns; import com.google.android.apps.mytracks.io.file.SaveActivity; import com.google.android.apps.mytracks.io.sendtogoogle.SendActivity; import com.google.android.apps.mytracks.services.ServiceUtils; import com.google.android.apps.mytracks.services.TrackRecordingServiceConnection; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import android.app.ListActivity; import android.content.ContentUris; import android.content.Context; import android.content.Intent; import android.content.SharedPreferences; import android.database.Cursor; import android.net.Uri; import android.os.Bundle; import android.os.Handler; import android.util.Log; import android.view.ContextMenu; import android.view.ContextMenu.ContextMenuInfo; import android.view.MenuItem; import android.view.SubMenu; import android.view.View; import android.view.View.OnCreateContextMenuListener; import android.view.Window; import android.widget.AdapterView; import android.widget.ListView; import android.widget.SimpleCursorAdapter; import android.widget.TextView; /** * A list activity displaying all the recorded tracks. There's a context * menu (via long press) displaying various options such as showing, editing, * deleting, sending to MyMaps, or writing to SD card. * * @author Leif Hendrik Wilden */ public class TrackList extends ListActivity implements SharedPreferences.OnSharedPreferenceChangeListener, View.OnClickListener { private int contextPosition = -1; private long trackId = -1; private ListView listView = null; private boolean metricUnits = true; private Cursor tracksCursor = null; /** * The id of the currently recording track. */ private long recordingTrackId = -1; private final OnCreateContextMenuListener contextMenuListener = new OnCreateContextMenuListener() { @Override public void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo) { menu.setHeaderTitle(R.string.track_list_context_menu_title); AdapterView.AdapterContextMenuInfo info = (AdapterView.AdapterContextMenuInfo) menuInfo; contextPosition = info.position; trackId = TrackList.this.listView.getAdapter().getItemId( contextPosition); menu.add(0, Constants.MENU_SHOW, 0, R.string.track_list_show_on_map); menu.add(0, Constants.MENU_EDIT, 0, R.string.track_list_edit_track); if (!isRecording() || trackId != recordingTrackId) { String saveFileFormat = getString(R.string.track_list_save_file); String shareFileFormat = getString(R.string.track_list_share_file); String fileTypes[] = getResources().getStringArray(R.array.file_types); menu.add(0, Constants.MENU_SEND_TO_GOOGLE, 0, R.string.track_list_send_google); SubMenu share = menu.addSubMenu(0, Constants.MENU_SHARE, 0, R.string.track_list_share_track); share.add(0, Constants.MENU_SHARE_LINK, 0, R.string.track_list_share_url); share.add( 0, Constants.MENU_SHARE_GPX_FILE, 0, String.format(shareFileFormat, fileTypes[0])); share.add( 0, Constants.MENU_SHARE_KML_FILE, 0, String.format(shareFileFormat, fileTypes[1])); share.add( 0, Constants.MENU_SHARE_CSV_FILE, 0, String.format(shareFileFormat, fileTypes[2])); share.add( 0, Constants.MENU_SHARE_TCX_FILE, 0, String.format(shareFileFormat, fileTypes[3])); SubMenu save = menu.addSubMenu(0, Constants.MENU_WRITE_TO_SD_CARD, 0, R.string.track_list_save_sd); save.add( 0, Constants.MENU_SAVE_GPX_FILE, 0, String.format(saveFileFormat, fileTypes[0])); save.add( 0, Constants.MENU_SAVE_KML_FILE, 0, String.format(saveFileFormat, fileTypes[1])); save.add( 0, Constants.MENU_SAVE_CSV_FILE, 0, String.format(saveFileFormat, fileTypes[2])); save.add( 0, Constants.MENU_SAVE_TCX_FILE, 0, String.format(saveFileFormat, fileTypes[3])); menu.add(0, Constants.MENU_DELETE, 0, R.string.track_list_delete_track); } } }; private final Runnable serviceBindingChanged = new Runnable() { @Override public void run() { updateButtonsEnabled(); } }; private TrackRecordingServiceConnection serviceConnection; private SharedPreferences preferences; @Override public void onSharedPreferenceChanged( SharedPreferences sharedPreferences, String key) { if (key == null) { return; } if (key.equals(getString(R.string.metric_units_key))) { metricUnits = sharedPreferences.getBoolean( getString(R.string.metric_units_key), true); if (tracksCursor != null && !tracksCursor.isClosed()) { tracksCursor.requery(); } } if (key.equals(getString(R.string.recording_track_key))) { recordingTrackId = sharedPreferences.getLong( getString(R.string.recording_track_key), -1); } } @Override protected void onListItemClick(ListView l, View v, int position, long id) { Intent result = new Intent(); result.putExtra("trackid", id); setResult(Constants.SHOW_TRACK, result); finish(); } @Override public boolean onMenuItemSelected(int featureId, MenuItem item) { switch (item.getItemId()) { case Constants.MENU_SHOW: { onListItemClick(null, null, 0, trackId); return true; } case Constants.MENU_EDIT: { Intent intent = new Intent(this, TrackDetails.class); intent.putExtra("trackid", trackId); startActivity(intent); return true; } case Constants.MENU_SHARE: case Constants.MENU_WRITE_TO_SD_CARD: return false; case Constants.MENU_SEND_TO_GOOGLE: SendActivity.sendToGoogle(this, trackId, false); return true; case Constants.MENU_SHARE_LINK: SendActivity.sendToGoogle(this, trackId, true); return true; case Constants.MENU_SAVE_GPX_FILE: case Constants.MENU_SAVE_KML_FILE: case Constants.MENU_SAVE_CSV_FILE: case Constants.MENU_SAVE_TCX_FILE: case Constants.MENU_SHARE_GPX_FILE: case Constants.MENU_SHARE_KML_FILE: case Constants.MENU_SHARE_CSV_FILE: case Constants.MENU_SHARE_TCX_FILE: SaveActivity.handleExportTrackAction(this, trackId, Constants.getActionFromMenuId(item.getItemId())); return true; case Constants.MENU_DELETE: { Intent intent = new Intent(Intent.ACTION_DELETE); Uri uri = ContentUris.withAppendedId(TracksColumns.CONTENT_URI, trackId); intent.setDataAndType(uri, TracksColumns.CONTENT_ITEMTYPE); startActivity(intent); return true; } default: Log.w(TAG, "Unknown menu item: " + item.getItemId() + "(" + item.getTitle() + ")"); return super.onMenuItemSelected(featureId, item); } } @Override public void onClick(View v) { switch (v.getId()) { case R.id.tracklist_btn_delete_all: { Handler h = new DeleteAllTracks(this, null); h.handleMessage(null); break; } case R.id.tracklist_btn_export_all: { new ExportAllTracks(this); break; } case R.id.tracklist_btn_import_all: { new ImportAllTracks(this); break; } } } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); // We don't need a window title bar: requestWindowFeature(Window.FEATURE_NO_TITLE); setContentView(R.layout.mytracks_list); listView = getListView(); listView.setOnCreateContextMenuListener(contextMenuListener); preferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); serviceConnection = new TrackRecordingServiceConnection(this, serviceBindingChanged); View deleteAll = findViewById(R.id.tracklist_btn_delete_all); deleteAll.setOnClickListener(this); View exportAll = findViewById(R.id.tracklist_btn_export_all); exportAll.setOnClickListener(this); updateButtonsEnabled(); findViewById(R.id.tracklist_btn_import_all).setOnClickListener(this); preferences.registerOnSharedPreferenceChangeListener(this); metricUnits = preferences.getBoolean(getString(R.string.metric_units_key), true); recordingTrackId = preferences.getLong(getString(R.string.recording_track_key), -1); tracksCursor = getContentResolver().query( TracksColumns.CONTENT_URI, null, null, null, "_id DESC"); startManagingCursor(tracksCursor); setListAdapter(); } @Override protected void onStart() { super.onStart(); serviceConnection.bindIfRunning(); } @Override protected void onDestroy() { serviceConnection.unbind(); super.onDestroy(); } private void updateButtonsEnabled() { View deleteAll = findViewById(R.id.tracklist_btn_delete_all); View exportAll = findViewById(R.id.tracklist_btn_export_all); boolean notRecording = !isRecording(); deleteAll.setEnabled(notRecording); exportAll.setEnabled(notRecording); } private void setListAdapter() { // Get a cursor with all tracks SimpleCursorAdapter adapter = new SimpleCursorAdapter( this, R.layout.mytracks_list_item, tracksCursor, new String[] { TracksColumns.NAME, TracksColumns.STARTTIME, TracksColumns.TOTALDISTANCE, TracksColumns.DESCRIPTION, TracksColumns.CATEGORY }, new int[] { R.id.trackdetails_item_name, R.id.trackdetails_item_time, R.id.trackdetails_item_stats, R.id.trackdetails_item_description, R.id.trackdetails_item_category }); final int startTimeIdx = tracksCursor.getColumnIndexOrThrow(TracksColumns.STARTTIME); final int totalTimeIdx = tracksCursor.getColumnIndexOrThrow(TracksColumns.TOTALTIME); final int totalDistanceIdx = tracksCursor.getColumnIndexOrThrow(TracksColumns.TOTALDISTANCE); adapter.setViewBinder(new SimpleCursorAdapter.ViewBinder() { @Override public boolean setViewValue(View view, Cursor cursor, int columnIndex) { TextView textView = (TextView) view; if (columnIndex == startTimeIdx) { long time = cursor.getLong(startTimeIdx); textView.setText(String.format("%tc", time)); } else if (columnIndex == totalDistanceIdx) { double length = cursor.getDouble(totalDistanceIdx); String lengthUnit = null; if (metricUnits) { if (length > 1000) { length /= 1000; lengthUnit = getString(R.string.unit_kilometer); } else { lengthUnit = getString(R.string.unit_meter); } } else { if (length > UnitConversions.MI_TO_M) { length /= UnitConversions.MI_TO_M; lengthUnit = getString(R.string.unit_mile); } else { length *= UnitConversions.M_TO_FT; lengthUnit = getString(R.string.unit_feet); } } textView.setText(String.format("%s %.2f %s", StringUtils.formatTime(cursor.getLong(totalTimeIdx)), length, lengthUnit)); } else { textView.setText(cursor.getString(columnIndex)); if (textView.getText().length() < 1) { textView.setVisibility(View.GONE); } else { textView.setVisibility(View.VISIBLE); } } return true; } }); setListAdapter(adapter); } private boolean isRecording() { return ServiceUtils.isRecording(TrackList.this, serviceConnection.getServiceIfBound(), preferences); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/TrackList.java
Java
asf20
12,878
package com.google.android.apps.mytracks; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.database.DataSetObserver; import android.graphics.Color; import android.view.View; import android.view.ViewGroup; import android.widget.ListAdapter; import android.widget.TextView; import java.util.HashSet; import java.util.Iterator; import java.util.Set; import java.util.Vector; public class MyMapsListAdapter implements ListAdapter { private Vector<String[]> mapsList; private Vector<Boolean> publicList; private Set<DataSetObserver> observerSet; private final Activity activity; public MyMapsListAdapter(Activity activity) { this.activity = activity; mapsList = new Vector<String[]>(); publicList = new Vector<Boolean>(); observerSet = new HashSet<DataSetObserver>(); } public void addMapListing(String mapId, String title, String description, boolean isPublic) { synchronized (mapsList) { // Search through the maps list to see if it has the mapid and // remove it if so, so that we can replace it with updated info for (int i = 0; i < mapsList.size(); ++i) { if (mapId.equals(mapsList.get(i)[0])) { mapsList.remove(i); publicList.remove(i); --i; } } mapsList.add(new String[] { mapId, title, description }); publicList.add(isPublic); } Iterator<DataSetObserver> iter = observerSet.iterator(); while (iter.hasNext()) { iter.next().onChanged(); } } public String[] getMapListingArray(int position) { return mapsList.get(position); } @Override public boolean areAllItemsEnabled() { return true; } @Override public boolean isEnabled(int position) { return true; } @Override public int getCount() { return mapsList.size(); } @Override public Object getItem(int position) { return mapsList.get(position)[0]; } @Override public long getItemId(int position) { return position; } @Override public int getItemViewType(int position) { return 0; } @Override public View getView(int position, View convertView, ViewGroup parent) { if (convertView == null) { convertView = activity.getLayoutInflater().inflate(R.layout.listitem, parent, false); } String[] map = mapsList.get(position); ((TextView) convertView.findViewById(R.id.maplistitem)).setText(map[1]); ((TextView) convertView.findViewById(R.id.maplistdesc)).setText(map[2]); TextView publicUnlisted = (TextView) convertView.findViewById(R.id.maplistpublic); if (publicList.get(position)) { publicUnlisted.setTextColor(Color.RED); publicUnlisted.setText(R.string.my_maps_list_public_label); } else { publicUnlisted.setTextColor(Color.GREEN); publicUnlisted.setText(R.string.my_maps_list_unlisted_label); } return convertView; } @Override public int getViewTypeCount() { return 1; } @Override public boolean hasStableIds() { return false; } @Override public boolean isEmpty() { return mapsList.isEmpty(); } @Override public void registerDataSetObserver(DataSetObserver observer) { observerSet.add(observer); } @Override public void unregisterDataSetObserver(DataSetObserver observer) { observerSet.remove(observer); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/MyMapsListAdapter.java
Java
asf20
3,377
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import android.content.Context; import android.content.res.TypedArray; import android.graphics.drawable.Drawable; import android.os.Handler; import android.view.MotionEvent; import android.view.View; import android.view.ViewGroup; import android.view.animation.AlphaAnimation; import android.view.animation.Animation; import android.widget.ImageView; import android.widget.RelativeLayout; import android.widget.RelativeLayout.LayoutParams; /** * Creates previous and next arrows for a given activity. * * @author Leif Hendrik Wilden */ public class NavControls { private static final int KEEP_VISIBLE_MILLIS = 4000; private static final boolean FADE_CONTROLS = true; private static final Animation SHOW_NEXT_ANIMATION = new AlphaAnimation(0F, 1F); private static final Animation HIDE_NEXT_ANIMATION = new AlphaAnimation(1F, 0F); private static final Animation SHOW_PREV_ANIMATION = new AlphaAnimation(0F, 1F); private static final Animation HIDE_PREV_ANIMATION = new AlphaAnimation(1F, 0F); /** * A touchable image view. * When touched it changes the navigation control icons accordingly. */ private class TouchLayout extends RelativeLayout implements Runnable { private final boolean isLeft; private final ImageView icon; public TouchLayout(Context context, boolean isLeft) { super(context); this.isLeft = isLeft; this.icon = new ImageView(context); icon.setVisibility(View.GONE); addView(icon); } public void setIcon(Drawable drawable) { icon.setImageDrawable(drawable); icon.setVisibility(View.VISIBLE); } @Override public boolean onTouchEvent(MotionEvent event) { switch (event.getAction()) { case MotionEvent.ACTION_DOWN: setPressed(true); shiftIcons(isLeft); // Call the user back handler.post(this); break; case MotionEvent.ACTION_UP: setPressed(false); break; } return super.onTouchEvent(event); } @Override public void run() { touchRunnable.run(); setPressed(false); } } private final Handler handler = new Handler(); private final Runnable dismissControls = new Runnable() { public void run() { hide(); } }; private final TouchLayout prevImage; private final TouchLayout nextImage; private final TypedArray leftIcons; private final TypedArray rightIcons; private final Runnable touchRunnable; private boolean isVisible = false; private int currentIcons; public NavControls(Context context, ViewGroup container, TypedArray leftIcons, TypedArray rightIcons, Runnable touchRunnable) { this.leftIcons = leftIcons; this.rightIcons = rightIcons; this.touchRunnable = touchRunnable; if (leftIcons.length() != rightIcons.length() || leftIcons.length() < 1) { throw new IllegalArgumentException("Invalid icons specified"); } if (touchRunnable == null) { throw new NullPointerException("Runnable cannot be null"); } LayoutParams prevParams = new LayoutParams( LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT); LayoutParams nextParams = new LayoutParams( LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT); prevParams.addRule(RelativeLayout.ALIGN_PARENT_LEFT); nextParams.addRule(RelativeLayout.ALIGN_PARENT_RIGHT); prevParams.addRule(RelativeLayout.CENTER_VERTICAL); nextParams.addRule(RelativeLayout.CENTER_VERTICAL); nextImage = new TouchLayout(context, false); prevImage = new TouchLayout(context, true); nextImage.setLayoutParams(nextParams); prevImage.setLayoutParams(prevParams); nextImage.setVisibility(View.INVISIBLE); prevImage.setVisibility(View.INVISIBLE); container.addView(prevImage); container.addView(nextImage); prevImage.setIcon(leftIcons.getDrawable(0)); nextImage.setIcon(rightIcons.getDrawable(0)); this.currentIcons = 0; } private void keepVisible() { if (isVisible && FADE_CONTROLS) { handler.removeCallbacks(dismissControls); handler.postDelayed(dismissControls, KEEP_VISIBLE_MILLIS); } } public void show() { if (!isVisible) { SHOW_PREV_ANIMATION.setDuration(500); SHOW_PREV_ANIMATION.startNow(); prevImage.setPressed(false); prevImage.setAnimation(SHOW_PREV_ANIMATION); prevImage.setVisibility(View.VISIBLE); SHOW_NEXT_ANIMATION.setDuration(500); SHOW_NEXT_ANIMATION.startNow(); nextImage.setPressed(false); nextImage.setAnimation(SHOW_NEXT_ANIMATION); nextImage.setVisibility(View.VISIBLE); isVisible = true; keepVisible(); } else { keepVisible(); } } public void hideNow() { handler.removeCallbacks(dismissControls); isVisible = false; prevImage.clearAnimation(); prevImage.setVisibility(View.INVISIBLE); nextImage.clearAnimation(); nextImage.setVisibility(View.INVISIBLE); } public void hide() { isVisible = false; prevImage.setAnimation(HIDE_PREV_ANIMATION); HIDE_PREV_ANIMATION.setDuration(500); HIDE_PREV_ANIMATION.startNow(); prevImage.setVisibility(View.INVISIBLE); nextImage.setAnimation(HIDE_NEXT_ANIMATION); HIDE_NEXT_ANIMATION.setDuration(500); HIDE_NEXT_ANIMATION.startNow(); nextImage.setVisibility(View.INVISIBLE); } public int getCurrentIcons() { return currentIcons; } private void shiftIcons(boolean isLeft) { // Increment or decrement by one, with wrap around currentIcons = (currentIcons + leftIcons.length() + (isLeft ? -1 : 1)) % leftIcons.length(); prevImage.setIcon(leftIcons.getDrawable(currentIcons)); nextImage.setIcon(rightIcons.getDrawable(currentIcons)); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/NavControls.java
Java
asf20
6,461
/* * Copyright 2011 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import android.app.Activity; import android.content.Context; import android.content.pm.PackageInfo; import android.content.pm.PackageManager; import android.content.pm.PackageManager.NameNotFoundException; import android.content.pm.Signature; import android.os.PowerManager; import android.os.PowerManager.WakeLock; import android.util.Log; /** * Utility class for acessing basic Android functionality. * * @author Rodrigo Damazio */ public class SystemUtils { private static final int RELEASE_SIGNATURE_HASHCODE = -1855564782; /** * Returns whether or not this is a release build. */ public static boolean isRelease(Context context) { try { Signature [] sigs = context.getPackageManager().getPackageInfo( context.getPackageName(), PackageManager.GET_SIGNATURES).signatures; for (Signature sig : sigs) { if (sig.hashCode() == RELEASE_SIGNATURE_HASHCODE) { return true; } } } catch (NameNotFoundException e) { Log.e(Constants.TAG, "Unable to get signatures", e); } return false; } /** * Get the My Tracks version from the manifest. * * @return the version, or an empty string in case of failure. */ public static String getMyTracksVersion(Context context) { try { PackageInfo pi = context.getPackageManager().getPackageInfo( "com.google.android.maps.mytracks", PackageManager.GET_META_DATA); return pi.versionName; } catch (NameNotFoundException e) { Log.w(Constants.TAG, "Failed to get version info.", e); return ""; } } /** * Tries to acquire a partial wake lock if not already acquired. Logs errors * and gives up trying in case the wake lock cannot be acquired. */ public static WakeLock acquireWakeLock(Activity activity, WakeLock wakeLock) { Log.i(Constants.TAG, "LocationUtils: Acquiring wake lock."); try { PowerManager pm = (PowerManager) activity .getSystemService(Context.POWER_SERVICE); if (pm == null) { Log.e(Constants.TAG, "LocationUtils: Power manager not found!"); return wakeLock; } if (wakeLock == null) { wakeLock = pm.newWakeLock(PowerManager.PARTIAL_WAKE_LOCK, Constants.TAG); if (wakeLock == null) { Log.e(Constants.TAG, "LocationUtils: Could not create wake lock (null)."); } return wakeLock; } if (!wakeLock.isHeld()) { wakeLock.acquire(); if (!wakeLock.isHeld()) { Log.e(Constants.TAG, "LocationUtils: Could not acquire wake lock."); } } } catch (RuntimeException e) { Log.e(Constants.TAG, "LocationUtils: Caught unexpected exception: " + e.getMessage(), e); } return wakeLock; } private SystemUtils() {} }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/SystemUtils.java
Java
asf20
3,537
/* * 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 android.content.SharedPreferences; import android.content.SharedPreferences.Editor; /** * Utilities for the EULA preference value. */ public class EulaUtil { private static final String EULA_PREFERENCE_FILE = "eula"; private static final String EULA_PREFERENCE_KEY = "eula.accepted"; private EulaUtil() {} public static boolean getEulaValue(Context context) { SharedPreferences preferences = context.getSharedPreferences( EULA_PREFERENCE_FILE, Context.MODE_PRIVATE); return preferences.getBoolean(EULA_PREFERENCE_KEY, false); } public static void setEulaValue(Context context) { SharedPreferences preferences = context.getSharedPreferences( EULA_PREFERENCE_FILE, Context.MODE_PRIVATE); Editor editor = preferences.edit(); editor.putBoolean(EULA_PREFERENCE_KEY, true); ApiFeatures.getInstance().getApiAdapter().applyPreferenceChanges(editor); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/EulaUtil.java
Java
asf20
1,587
/* * 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.app.Notification; import android.app.NotificationManager; import android.app.Service; /** * API level 5 specific implementation of the {@link ApiLevelAdapter}. * * @author Bartlomiej Niechwiej */ public class ApiLevel5Adapter extends ApiLevel3Adapter { @Override public void startForeground(Service service, NotificationManager notificationManager, int id, Notification notification) { service.startForeground(id, notification); } @Override public void stopForeground(Service service, NotificationManager notificationManager, int id) { service.stopForeground(id != -1); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ApiLevel5Adapter.java
Java
asf20
1,273
/* * 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.TO_RADIANS; final double s0lng = c0.getLongitude() * UnitConversions.TO_RADIANS; final double s1lat = c1.getLatitude() * UnitConversions.TO_RADIANS; final double s1lng = c1.getLongitude() * UnitConversions.TO_RADIANS; final double s2lat = c2.getLatitude() * UnitConversions.TO_RADIANS; final double s2lng = c2.getLongitude() * UnitConversions.TO_RADIANS; 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() { } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/LocationUtils.java
Java
asf20
8,165
/* * 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() {} }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/UriUtils.java
Java
asf20
1,730
/* * 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.DescriptionGenerator; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.content.Waypoint; 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.text.NumberFormat; import java.text.ParsePosition; import java.text.SimpleDateFormat; import java.util.Date; import java.util.SimpleTimeZone; import java.util.Vector; import java.util.regex.Matcher; import java.util.regex.Pattern; /** * Various string manipulation methods. * * @author Sandor Dornbush * @author Rodrigo Damazio */ public class StringUtils implements DescriptionGenerator { private final Context context; /** * Formats a number of milliseconds as a string. * * @param time - A period of time in milliseconds. * @return A string of the format M:SS, MM:SS or HH:MM:SS */ public static String formatTime(long time) { return formatTimeInternal(time, false); } /** * Formats a number of milliseconds as a string. To be used when we need the * hours to be shown even when it is zero, e.g. exporting data to a * spreadsheet. * * @param time - A period of time in milliseconds * @return A string of the format HH:MM:SS even if time is less than 1 hour */ public static String formatTimeAlwaysShowingHours(long time) { return formatTimeInternal(time, true); } private static final NumberFormat SINGLE_DECIMAL_PLACE_FORMAT = NumberFormat.getNumberInstance(); static { SINGLE_DECIMAL_PLACE_FORMAT.setMaximumFractionDigits(1); SINGLE_DECIMAL_PLACE_FORMAT.setMinimumFractionDigits(1); } /** * Formats a double precision number as decimal number with a single decimal * place. * * @param number A double precision number * @return A string representation of a decimal number, derived from the input * double, with a single decimal place */ public static final String formatSingleDecimalPlace(double number) { return SINGLE_DECIMAL_PLACE_FORMAT.format(number); } /** * Formats the given text as a CDATA element to be used in a XML file. This * includes adding the starting and ending CDATA tags. Please notice that this * may result in multiple consecutive CDATA tags. * * @param unescaped the unescaped text to be formatted * @return the formatted text, inside one or more CDATA tags */ public static String stringAsCData(String unescaped) { // "]]>" needs to be broken into multiple CDATA segments, like: // "Foo]]>Bar" becomes "<![CDATA[Foo]]]]><![CDATA[>Bar]]>" // (the end of the first CDATA has the "]]", the other has ">") String escaped = unescaped.replaceAll("]]>", "]]]]><![CDATA[>"); return "<![CDATA[" + escaped + "]]>"; } private static final SimpleDateFormat BASE_XML_DATE_FORMAT = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss"); static { BASE_XML_DATE_FORMAT.setTimeZone(new SimpleTimeZone(0, "UTC")); } private static final Pattern XML_DATE_EXTRAS_PATTERN = Pattern.compile("^(\\.\\d+)?(?:Z|([+-])(\\d{2}):(\\d{2}))?$"); /** * Parses an XML dateTime element as defined by the XML standard. * * @see <a href="http://www.w3.org/TR/xmlschema-2/#dateTime">dateTime</a> */ public static long parseXmlDateTime(String xmlTime) { // Parse the base date (fixed format) ParsePosition position = new ParsePosition(0); Date date = BASE_XML_DATE_FORMAT.parse(xmlTime, position); if (date == null) { throw new IllegalArgumentException("Invalid XML dateTime value: '" + xmlTime + "' (at position " + position.getErrorIndex() + ")"); } // Parse the extras Matcher matcher = XML_DATE_EXTRAS_PATTERN.matcher(xmlTime.substring(position.getIndex())); if (!matcher.matches()) { // This will match even an empty string as all groups are optional, // so a non-match means some other garbage was there throw new IllegalArgumentException("Invalid XML dateTime value: " + xmlTime); } 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 in " + xmlTime); } long totalOffsetMillis = (offsetMins + offsetHours * 60L) * 60000L; // Make time go back to UTC if (plusSign) { time -= totalOffsetMillis; } else { time += totalOffsetMillis; } } return time; } /** * Formats a number of milliseconds as a string. * * @param time - A period of time in milliseconds * @param alwaysShowHours - Whether to display 00 hours if time is less than 1 * hour * @return A string of the format HH:MM:SS */ private static String formatTimeInternal(long time, boolean alwaysShowHours) { int[] parts = getTimeParts(time); StringBuilder builder = new StringBuilder(); if (parts[2] > 0 || alwaysShowHours) { builder.append(parts[2]); builder.append(':'); if (parts[1] <= 9) { builder.append("0"); } } builder.append(parts[1]); builder.append(':'); if (parts[0] <= 9) { builder.append("0"); } builder.append(parts[0]); return builder.toString(); } /** * Gets the time as an array of parts. */ 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 tmp = (int) (seconds / 60); parts[1] = tmp % 60; parts[2] = tmp / 60; return parts; } public StringUtils(Context context) { this.context = context; } /** * Generates a description for a track (with information about the * statistics). * * @param track the track * @return a track description */ public String generateTrackDescription(Track track, Vector<Double> distances, Vector<Double> elevations) { boolean displaySpeed = true; SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences != null) { displaySpeed = preferences.getBoolean(context.getString(R.string.report_speed_key), true); } TripStatistics trackStats = track.getStatistics(); final double distanceInKm = trackStats.getTotalDistance() / 1000; final double distanceInMiles = distanceInKm * UnitConversions.KM_TO_MI; final long minElevationInMeters = Math.round(trackStats.getMinElevation()); final long minElevationInFeet = Math.round(trackStats.getMinElevation() * UnitConversions.M_TO_FT); final long maxElevationInMeters = Math.round(trackStats.getMaxElevation()); final long maxElevationInFeet = Math.round(trackStats.getMaxElevation() * UnitConversions.M_TO_FT); final long elevationGainInMeters = Math.round(trackStats.getTotalElevationGain()); final long elevationGainInFeet = Math.round( trackStats.getTotalElevationGain() * UnitConversions.M_TO_FT); long minGrade = 0; long maxGrade = 0; double trackMaxGrade = trackStats.getMaxGrade(); double trackMinGrade = trackStats.getMinGrade(); if (!Double.isNaN(trackMaxGrade) && !Double.isInfinite(trackMaxGrade)) { maxGrade = Math.round(trackMaxGrade * 100); } if (!Double.isNaN(trackMinGrade) && !Double.isInfinite(trackMinGrade)) { minGrade = Math.round(trackMinGrade * 100); } String category = context.getString(R.string.value_unknown); String trackCategory = track.getCategory(); if (trackCategory != null && trackCategory.length() > 0) { category = trackCategory; } String averageSpeed = getSpeedString(trackStats.getAverageSpeed(), R.string.stat_average_speed, R.string.stat_average_pace, displaySpeed); String averageMovingSpeed = getSpeedString(trackStats.getAverageMovingSpeed(), R.string.stat_average_moving_speed, R.string.stat_average_moving_pace, displaySpeed); String maxSpeed = getSpeedString(trackStats.getMaxSpeed(), R.string.stat_max_speed, R.string.stat_min_pace, displaySpeed); return String.format("%s<p>" + "%s: %.2f %s (%.1f %s)<br>" + "%s: %s<br>" + "%s: %s<br>" + "%s %s %s" + "%s: %d %s (%d %s)<br>" + "%s: %d %s (%d %s)<br>" + "%s: %d %s (%d %s)<br>" + "%s: %d %%<br>" + "%s: %d %%<br>" + "%s: %tc<br>" + "%s: %s<br>" + "<img border=\"0\" src=\"%s\"/>", // Line 1 getCreatedByMyTracks(context, true), // Line 2 context.getString(R.string.stat_total_distance), distanceInKm, context.getString(R.string.unit_kilometer), distanceInMiles, context.getString(R.string.unit_mile), // Line 3 context.getString(R.string.stat_total_time), StringUtils.formatTime(trackStats.getTotalTime()), // Line 4 context.getString(R.string.stat_moving_time), StringUtils.formatTime(trackStats.getMovingTime()), // Line 5 averageSpeed, averageMovingSpeed, maxSpeed, // Line 6 context.getString(R.string.stat_min_elevation), minElevationInMeters, context.getString(R.string.unit_meter), minElevationInFeet, context.getString(R.string.unit_feet), // Line 7 context.getString(R.string.stat_max_elevation), maxElevationInMeters, context.getString(R.string.unit_meter), maxElevationInFeet, context.getString(R.string.unit_feet), // Line 8 context.getString(R.string.stat_elevation_gain), elevationGainInMeters, context.getString(R.string.unit_meter), elevationGainInFeet, context.getString(R.string.unit_feet), // Line 9 context.getString(R.string.stat_max_grade), maxGrade, // Line 10 context.getString(R.string.stat_min_grade), minGrade, // Line 11 context.getString(R.string.send_google_recorded), new Date(trackStats.getStartTime()), // Line 12 context.getString(R.string.track_detail_activity_type_hint), category, // Line 13 ChartURLGenerator.getChartUrl(distances, elevations, track, context)); } /** * Returns the 'Created by My Tracks on Android' string. * * @param context the context * @param addLink true to add a link to the My Tracks web site */ public static String getCreatedByMyTracks(Context context, boolean addLink) { String format = context.getString(R.string.send_google_by_my_tracks); if (addLink) { String url = context.getString(R.string.my_tracks_web_url); return String.format(format, "<a href='http://" + url + "'>", "</a>"); } else { return String.format(format, "", ""); } } private String getSpeedString(double speed, int speedLabel, int paceLabel, boolean displaySpeed) { double speedInKph = speed * 3.6; double speedInMph = speedInKph * UnitConversions.KMH_TO_MPH; if (displaySpeed) { return String.format("%s: %.2f %s (%.1f %s)<br>", context.getString(speedLabel), speedInKph, context.getString(R.string.unit_kilometer_per_hour), speedInMph, context.getString(R.string.unit_mile_per_hour)); } else { double paceInKm; double paceInMi; if (speed == 0) { paceInKm = 0.0; paceInMi = 0.0; } else { paceInKm = 60.0 / speedInKph; paceInMi = 60.0 / speedInMph; } return String.format("%s: %.2f %s (%.1f %s)<br>", context.getString(paceLabel), paceInKm, context.getString(R.string.unit_minute_per_kilometer), paceInMi, context.getString(R.string.unit_minute_per_mile)); } } /** * Generates a description for a waypoint (with information about the * statistics). * * @return a track description */ public String generateWaypointDescription(Waypoint waypoint) { TripStatistics stats = waypoint.getStatistics(); final double distanceInKm = stats.getTotalDistance() / 1000; final double distanceInMiles = distanceInKm * UnitConversions.KM_TO_MI; final double averageSpeedInKmh = stats.getAverageSpeed() * 3.6; final double averageSpeedInMph = averageSpeedInKmh * UnitConversions.KMH_TO_MPH; final double movingSpeedInKmh = stats.getAverageMovingSpeed() * 3.6; final double movingSpeedInMph = movingSpeedInKmh * UnitConversions.KMH_TO_MPH; final double maxSpeedInKmh = stats.getMaxSpeed() * 3.6; final double maxSpeedInMph = maxSpeedInKmh * UnitConversions.KMH_TO_MPH; final long minElevationInMeters = Math.round(stats.getMinElevation()); final long minElevationInFeet = Math.round(stats.getMinElevation() * UnitConversions.M_TO_FT); final long maxElevationInMeters = Math.round(stats.getMaxElevation()); final long maxElevationInFeet = Math.round(stats.getMaxElevation() * UnitConversions.M_TO_FT); final long elevationGainInMeters = Math.round(stats.getTotalElevationGain()); final long elevationGainInFeet = Math.round( stats.getTotalElevationGain() * UnitConversions.M_TO_FT); long theMinGrade = 0; long theMaxGrade = 0; double maxGrade = stats.getMaxGrade(); double minGrade = stats.getMinGrade(); if (!Double.isNaN(maxGrade) && !Double.isInfinite(maxGrade)) { theMaxGrade = Math.round(maxGrade * 100); } if (!Double.isNaN(minGrade) && !Double.isInfinite(minGrade)) { theMinGrade = Math.round(minGrade * 100); } final String percent = "%"; return String.format( "%s: %.2f %s (%.1f %s)\n" + "%s: %s\n" + "%s: %s\n" + "%s: %.2f %s (%.1f %s)\n" + "%s: %.2f %s (%.1f %s)\n" + "%s: %.2f %s (%.1f %s)\n" + "%s: %d %s (%d %s)\n" + "%s: %d %s (%d %s)\n" + "%s: %d %s (%d %s)\n" + "%s: %d %s\n" + "%s: %d %s\n", context.getString(R.string.stat_total_distance), distanceInKm, context.getString(R.string.unit_kilometer), distanceInMiles, context.getString(R.string.unit_mile), context.getString(R.string.stat_total_time), StringUtils.formatTime(stats.getTotalTime()), context.getString(R.string.stat_moving_time), StringUtils.formatTime(stats.getMovingTime()), context.getString(R.string.stat_average_speed), averageSpeedInKmh, context.getString(R.string.unit_kilometer_per_hour), averageSpeedInMph, context.getString(R.string.unit_mile_per_hour), context.getString(R.string.stat_average_moving_speed), movingSpeedInKmh, context.getString(R.string.unit_kilometer_per_hour), movingSpeedInMph, context.getString(R.string.unit_mile_per_hour), context.getString(R.string.stat_max_speed), maxSpeedInKmh, context.getString(R.string.unit_kilometer_per_hour), maxSpeedInMph, context.getString(R.string.unit_mile_per_hour), context.getString(R.string.stat_min_elevation), minElevationInMeters, context.getString(R.string.unit_meter), minElevationInFeet, context.getString(R.string.unit_feet), context.getString(R.string.stat_max_elevation), maxElevationInMeters, context.getString(R.string.unit_meter), maxElevationInFeet, context.getString(R.string.unit_feet), context.getString(R.string.stat_elevation_gain), elevationGainInMeters, context.getString(R.string.unit_meter), elevationGainInFeet, context.getString(R.string.unit_feet), context.getString(R.string.stat_max_grade), theMaxGrade, percent, context.getString(R.string.stat_min_grade), theMinGrade, percent); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/StringUtils.java
Java
asf20
17,675
/* * 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 abstract class UnitConversions { public static final double KM_TO_MI = 0.621371192; public static final double M_TO_FT = 3.2808399; public static final double MI_TO_M = 1609.344; public static final double MI_TO_FEET = 5280.0; public static final double KMH_TO_MPH = 1000 * M_TO_FT / MI_TO_FEET; public static final double TO_RADIANS = Math.PI / 180.0; public static final double MPH_TO_KMH = 1.609344; protected UnitConversions() { } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/UnitConversions.java
Java
asf20
1,177
/* * 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 static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; 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.Notification; import android.app.NotificationManager; import android.app.Service; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.util.Log; import java.lang.reflect.InvocationTargetException; import java.lang.reflect.Method; /** * API level 3 specific implementation of the {@link ApiLevelAdapter}. * * @author Bartlomiej Niechwiej */ public class ApiLevel3Adapter implements ApiLevelAdapter { @Override public void startForeground(Service service, NotificationManager notificationManager, int id, Notification notification) { setServiceForeground(service, true); notificationManager.notify(id, notification); } @Override public void stopForeground(Service service, NotificationManager notificationManager, int id) { setServiceForeground(service, false); if (id != -1) { notificationManager.cancel(id); } } @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 } }; } private void setServiceForeground(Service service, boolean foreground) { // setForeground has been completely removed in API level 11, so we use reflection. try { Method setForegroundMethod = Service.class.getMethod("setForeground", boolean.class); setForegroundMethod.invoke(service, foreground); } catch (SecurityException e) { Log.e(TAG, "Unable to set service foreground state", e); } catch (NoSuchMethodException e) { Log.e(TAG, "Unable to set service foreground state", e); } catch (IllegalArgumentException e) { Log.e(TAG, "Unable to set service foreground state", e); } catch (IllegalAccessException e) { Log.e(TAG, "Unable to set service foreground state", e); } catch (InvocationTargetException e) { Log.e(TAG, "Unable to set service foreground state", e); } } @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(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ApiLevel3Adapter.java
Java
asf20
3,791
/* * 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() / 1000.0; 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ChartURLGenerator.java
Java
asf20
5,304
/* * Copyright 2010 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.services.tasks.PeriodicTask; import com.google.api.client.http.HttpTransport; import android.app.Notification; import android.app.NotificationManager; import android.app.Service; import android.content.Context; import android.content.SharedPreferences; /** * A set of methods that may be implemented differently depending on the Android API level. * * @author Bartlomiej Niechwiej */ public interface ApiLevelAdapter { /** * Puts the specified service into foreground. * * Due to changes in API level 5. * * @param service the service to be put in foreground. * @param notificationManager the notification manager used to post the given * notification. * @param id the ID of the notification, unique within the application. * @param notification the notification to post. */ void startForeground(Service service, NotificationManager notificationManager, int id, Notification notification); /** * Puts the given service into background. * * Due to changes in API level 5. * * @param service the service to put into background. * @param notificationManager the notification manager to user when removing * notifications. * @param id the ID of the notification to be remove, or -1 if the * notification shouldn't be removed. */ void stopForeground(Service service, NotificationManager notificationManager, int id); /** * Gets a status announcer task. * * Due to changes in API level 8. */ PeriodicTask getStatusAnnouncerTask(Context context); /** * Gets a {@link BackupPreferencesListener}. * * Due to changes in API level 8. */ BackupPreferencesListener getBackupPreferencesListener(Context context); /** * Applies all changes done to the given preferences editor. * Changes may or may not be applied immediately. * * Due to changes in API level 9. */ void applyPreferenceChanges(SharedPreferences.Editor editor); /** * Enables strict mode where supported, only if this is a development build. * * Due to changes in API level 9. */ void enableStrictMode(); /** * Copies elements from the 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 input.length. * * 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 */ byte[] copyByteArray(byte[] input, int start, int end); /** * Gets a {@link HttpTransport}. * * Due to changes in API level 9. */ HttpTransport getHttpTransport(); }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ApiLevelAdapter.java
Java
asf20
3,532
/* * 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/GeoRect.java
Java
asf20
1,684
package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListener; import com.google.android.apps.mytracks.io.backup.BackupPreferencesListenerImpl; import com.google.android.apps.mytracks.services.tasks.FroyoStatusAnnouncerTask; import com.google.android.apps.mytracks.services.tasks.PeriodicTask; import android.content.Context; /** * API level 8 specific implementation of the {@link ApiLevelAdapter}. * * @author Jimmy Shih */ public class ApiLevel8Adapter extends ApiLevel5Adapter { @Override public PeriodicTask getStatusAnnouncerTask(Context context) { return new FroyoStatusAnnouncerTask(context); } @Override public BackupPreferencesListener getBackupPreferencesListener(Context context) { return new BackupPreferencesListenerImpl(context); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ApiLevel8Adapter.java
Java
asf20
843
/* * 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 android.os.Environment; import java.io.File; import java.text.SimpleDateFormat; import java.util.TimeZone; import java.util.regex.Pattern; /** * Utilities for dealing with files. * * @author Rodrigo Damazio */ public class FileUtils { /** * The maximum length of a filename, as per the FAT32 specification. */ private static final int MAX_FILENAME_LENGTH = 260; /** * A set of characters that are prohibited from being in file names. */ private static final Pattern PROHIBITED_CHAR_PATTERN = Pattern.compile("[^ A-Za-z0-9_.()-]+"); /** * Timestamp format in UTC time zone. */ public static final SimpleDateFormat FILE_TIMESTAMP_FORMAT = new SimpleDateFormat("yyyy-MM-dd'T'HH:mm:ss'Z'"); static { FILE_TIMESTAMP_FORMAT.setTimeZone(TimeZone.getTimeZone("UTC")); } /** * Builds a path inside the My Tracks directory in the SD card. * * @param components the path components inside the mytracks directory * @return the full path to the destination */ public String buildExternalDirectoryPath(String... components) { StringBuilder dirNameBuilder = new StringBuilder(); dirNameBuilder.append(Environment.getExternalStorageDirectory()); dirNameBuilder.append(File.separatorChar); dirNameBuilder.append(Constants.SDCARD_TOP_DIR); for (String component : components) { dirNameBuilder.append(File.separatorChar); dirNameBuilder.append(component); } return dirNameBuilder.toString(); } /** * Returns whether the SD card is available. */ public boolean isSdCardAvailable() { return Environment.MEDIA_MOUNTED.equals( Environment.getExternalStorageState()); } /** * Normalizes the input string and make sure it is a valid fat32 file name. * * @param name the name to normalize * @return the sanitized name */ String sanitizeName(String name) { String cleaned = PROHIBITED_CHAR_PATTERN.matcher(name).replaceAll(""); return (cleaned.length() > MAX_FILENAME_LENGTH) ? cleaned.substring(0, MAX_FILENAME_LENGTH) : cleaned.toString(); } /** * Ensures the given directory exists by creating it and its parents if * necessary. * * @return whether the directory exists (either already existed or was * successfully created) */ public boolean ensureDirectoryExists(File dir) { if (dir.exists() && dir.isDirectory()) { return true; } if (dir.mkdirs()) { return true; } return false; } /** * Builds a filename with the given base name (prefix) and the given * extension, possibly adding a suffix to ensure the file doesn't exist. * * @param directory the directory the file will live in * @param fileBaseName the prefix for the file name * @param extension the file's extension * @return the complete file name, without the directory */ public synchronized String buildUniqueFileName(File directory, String fileBaseName, String extension) { return buildUniqueFileName(directory, fileBaseName, extension, 0); } /** * Builds a filename with the given base 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 * @param suffix the first numeric suffix to try to use, or 0 for none * @return the complete file name, without the directory */ private String buildUniqueFileName(File directory, String fileBaseName, String extension, int suffix) { String suffixedBaseName = fileBaseName; if (suffix > 0) { suffixedBaseName += " (" + Integer.toString(suffix) + ")"; } String fullName = suffixedBaseName + "." + extension; String sanitizedName = sanitizeName(fullName); if (!fileExists(directory, sanitizedName)) { return sanitizedName; } return buildUniqueFileName(directory, fileBaseName, extension, suffix + 1); } /** * Checks whether a file with the given name exists in the given directory. * This is isolated so it can be overridden in tests. */ protected boolean fileExists(File directory, String fullName) { File file = new File(directory, fullName); return file.exists(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/FileUtils.java
Java
asf20
5,056
/* * 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 android.bluetooth.BluetoothAdapter; import android.bluetooth.BluetoothClass; import android.bluetooth.BluetoothDevice; import android.os.Build; import android.util.Log; import java.util.List; import java.util.Set; /** * Utilities for dealing with bluetooth devices. * This can be used safely even in systems that don't support bluetooth, * in which case a dummy implementation will be used. * * @author Rodrigo Damazio */ public abstract class BluetoothDeviceUtils { public static final String ANY_DEVICE = "any"; private static BluetoothDeviceUtils instance; /** * Dummy implementation, for systems that don't support bluetooth. */ private static class DummyImpl extends BluetoothDeviceUtils { @Override public void populateDeviceLists(List<String> deviceNames, List<String> deviceAddresses) { // Do nothing - no devices to add } @Override public BluetoothDevice findDeviceMatching(String targetDeviceAddress) { return null; } } /** * Real implementation, for systems that DO support bluetooth. */ private static class RealImpl extends BluetoothDeviceUtils { private final BluetoothAdapter bluetoothAdapter; public RealImpl() { bluetoothAdapter = BluetoothAdapter.getDefaultAdapter(); if (bluetoothAdapter == null) { throw new IllegalStateException("Unable to get bluetooth adapter"); } } @Override public void populateDeviceLists(List<String> deviceNames, List<String> deviceAddresses) { ensureNotDiscovering(); 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()); } } } } @Override public BluetoothDevice findDeviceMatching(String targetDeviceAddress) { if (targetDeviceAddress.equals(ANY_DEVICE)) { return findAnyDevice(); } else { return findDeviceByAddress(targetDeviceAddress); } } /** * Finds and returns the first suitable bluetooth sensor. */ private BluetoothDevice findAnyDevice() { ensureNotDiscovering(); Set<BluetoothDevice> pairedDevices = bluetoothAdapter.getBondedDevices(); for (BluetoothDevice device : pairedDevices) { // Look for the first paired computer device if (isSuitableDevice(device)) { return device; } } return null; } /** * Finds and returns a device with the given address, or null if it's not * a suitable sensor. */ private BluetoothDevice findDeviceByAddress(String targetDeviceAddress) { ensureNotDiscovering(); BluetoothDevice device = bluetoothAdapter.getRemoteDevice(targetDeviceAddress); if (isSuitableDevice(device)) { return device; } return null; } /** * Ensures the bluetooth adapter is not in discovery mode. */ private void ensureNotDiscovering() { // If it's in discovery mode, cancel that for now. bluetoothAdapter.cancelDiscovery(); } /** * Checks whether the given device is a suitable sensor. * * @param device the device to check * @return true if it's suitable, false otherwise */ private boolean isSuitableDevice(BluetoothDevice device) { // Check that the device is bonded if (device.getBondState() != BluetoothDevice.BOND_BONDED) { return false; } return true; } } /** * Returns the proper (singleton) instance of this class. */ public static BluetoothDeviceUtils getInstance() { if (instance == null) { if (!isBluetoothMethodSupported()) { Log.d(Constants.TAG, "Using dummy bluetooth utils"); instance = new DummyImpl(); } else { Log.d(Constants.TAG, "Using real bluetooth utils"); try { instance = new RealImpl(); } catch (IllegalStateException ise) { Log.w(Constants.TAG, "Oops, I mean, using dummy bluetooth utils", ise); instance = new DummyImpl(); } } } return instance; } /** * Populates the given lists with the names and addresses of all suitable * bluetooth devices. * * @param deviceNames the list to populate with user-visible names * @param deviceAddresses the list to populate with device addresses */ public abstract void populateDeviceLists(List<String> deviceNames, List<String> deviceAddresses); /** * Finds the bluetooth device with the given address. * * @param targetDeviceAddress the address of the device, or * {@link #ANY_DEVICE} for using the first suitable device * @return the device's descriptor, or null if not found */ public abstract BluetoothDevice findDeviceMatching(String targetDeviceAddress); /** * @return whether the bluetooth method is supported on this device */ public static boolean isBluetoothMethodSupported() { return Integer.parseInt(Build.VERSION.SDK) >= 5; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/BluetoothDeviceUtils.java
Java
asf20
6,199
/* * 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 android.os.Build; import android.util.Log; /** * Utility class for determining if newer-API features are available on the * current device. * * @author Rodrigo Damazio */ public class ApiFeatures { /** * The API level of the Android version we are being run under. */ private static final int ANDROID_API_LEVEL = Integer.parseInt( Build.VERSION.SDK); private static ApiFeatures instance; /** * The API level adapter for the Android version we are being run under. */ private ApiLevelAdapter apiLevelAdapter; /** * Returns the singleton instance of this class. */ public static ApiFeatures getInstance() { if (instance == null) { instance = new ApiFeatures(); } return instance; } /** * Injects a specific singleton instance, to be used for unit tests. */ @SuppressWarnings("hiding") public static void injectInstance(ApiFeatures instance) { ApiFeatures.instance = instance; } /** * Allow subclasses for mocking, but no direct instantiation. */ protected ApiFeatures() { // It is safe to import unsupported classes as long as we only actually // load the class when supported. if (getApiLevel() >= 9) { apiLevelAdapter = new ApiLevel9Adapter(); } else if (getApiLevel() >= 8) { apiLevelAdapter = new ApiLevel8Adapter(); } else if (getApiLevel() >= 5) { apiLevelAdapter = new ApiLevel5Adapter(); } else { apiLevelAdapter = new ApiLevel3Adapter(); } Log.i(Constants.TAG, "Using API level adapter " + apiLevelAdapter.getClass()); } public ApiLevelAdapter getApiAdapter() { return apiLevelAdapter; } // API Level 4 Changes /** * Returns whether text-to-speech is available. */ public boolean hasTextToSpeech() { return getApiLevel() >= 4; } // API Level 5 Changes /** * There's a bug (#1587) in Cupcake and Donut which prevents you from * using a SQLiteQueryBuilder twice. That is, if you call buildQuery * on a given instance (to log the statement for debugging), and then * call query on the same instance to make it actually do the query, * it'll regenerate the query for the second call, and will screw it * up. Specifically, it'll add extra parens which don't belong. */ public boolean canReuseSQLiteQueryBuilder() { return getApiLevel() >= 5; } // API Level 10 changes /** * Returns true if BluetoothDevice.createInsecureRfcommSocketToServiceRecord * is available. */ public boolean hasBluetoothDeviceCreateInsecureRfcommSocketToServiceRecord() { return getApiLevel() >= 10; } // Visible for testing. protected int getApiLevel() { return ANDROID_API_LEVEL; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ApiFeatures.java
Java
asf20
3,427
/* * 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() { } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ResourceUtils.java
Java
asf20
2,378
package com.google.android.apps.mytracks.util; import com.google.android.apps.mytracks.Constants; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.javanet.NetHttpTransport; import android.content.SharedPreferences.Editor; import android.os.StrictMode; import android.util.Log; import java.util.Arrays; /** * API level 9 specific implementation of the {@link ApiLevelAdapter}. * * @author Rodrigo Damazio */ public class ApiLevel9Adapter extends ApiLevel8Adapter { @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(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ApiLevel9Adapter.java
Java
asf20
1,249
/* * 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/util/ChartsExtendedEncoder.java
Java
asf20
1,963
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.DialogInterface; import android.os.Bundle; import android.view.LayoutInflater; import android.view.View; import android.view.View.OnClickListener; import android.widget.TextView; /** * An activity that displays a welcome screen. * * @author Sandor Dornbush */ public class WelcomeActivity extends Activity { private static final int DIALOG_ABOUT_ID = 0; private static final int DIALOG_EULA_ID = 1; @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.welcome); findViewById(R.id.welcome_ok).setOnClickListener(new OnClickListener() { public void onClick(View v) { finish(); } }); findViewById(R.id.welcome_about).setOnClickListener(new OnClickListener() { public void onClick(View v) { showDialog(DIALOG_ABOUT_ID); } }); } @Override protected Dialog onCreateDialog(int id) { AlertDialog.Builder builder; switch (id) { case DIALOG_ABOUT_ID: LayoutInflater layoutInflator = LayoutInflater.from(this); View view = layoutInflator.inflate(R.layout.about, null); TextView aboutVersionTextView = (TextView) view.findViewById(R.id.about_version); aboutVersionTextView.setText(SystemUtils.getMyTracksVersion(this)); builder = new AlertDialog.Builder(this); builder.setView(view); builder.setPositiveButton(R.string.generic_ok, null); builder.setNegativeButton(R.string.about_license, new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { showDialog(DIALOG_EULA_ID); } }); return builder.create(); case DIALOG_EULA_ID: builder = new AlertDialog.Builder(this); builder.setTitle(R.string.eula_title); builder.setMessage(R.string.eula_message); builder.setPositiveButton(R.string.generic_ok, null); builder.setCancelable(true); return builder.create(); default: return null; } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/WelcomeActivity.java
Java
asf20
2,951
/* * 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.sendtogoogle; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.analytics.GoogleAnalyticsTracker; import com.google.android.apps.mytracks.AccountChooser; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.MyMapsList; import com.google.android.apps.mytracks.ProgressIndicator; 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.io.AuthManager; import com.google.android.apps.mytracks.io.AuthManager.AuthCallback; import com.google.android.apps.mytracks.io.AuthManagerFactory; import com.google.android.apps.mytracks.io.SendToDocs; import com.google.android.apps.mytracks.io.SendToFusionTables; import com.google.android.apps.mytracks.io.SendToFusionTables.OnSendCompletedListener; import com.google.android.apps.mytracks.io.SendToMyMaps; import com.google.android.apps.mytracks.io.mymaps.MapsFacade; import com.google.android.apps.mytracks.io.mymaps.MyMapsConstants; import com.google.android.apps.mytracks.util.SystemUtils; import com.google.android.apps.mytracks.util.UriUtils; import com.google.android.maps.mytracks.R; import android.accounts.Account; import android.app.Activity; import android.app.Dialog; import android.app.ProgressDialog; import android.content.ContentUris; import android.content.Context; import android.content.DialogInterface; import android.content.DialogInterface.OnCancelListener; import android.content.DialogInterface.OnClickListener; import android.content.Intent; import android.content.SharedPreferences; import android.net.Uri; import android.os.Bundle; import android.util.Log; import java.util.ArrayList; import java.util.HashMap; import java.util.List; /** * Helper activity for managing the sending of tracks to Google services. * * @author Rodrigo Damazio */ public class SendActivity extends Activity implements ProgressIndicator { // Keys for saved state variables. private static final String STATE_SEND_TO_MAPS = "mapsSend"; private static final String STATE_SEND_TO_FUSION_TABLES = "fusionSend"; private static final String STATE_SEND_TO_DOCS = "docsSend"; private static final String STATE_DOCS_SUCCESS = "docsSuccess"; private static final String STATE_FUSION_SUCCESS = "fusionSuccess"; private static final String STATE_MAPS_SUCCESS = "mapsSuccess"; private static final String STATE_STATE = "state"; private static final String EXTRA_SHARE_LINK = "shareLink"; private static final String STATE_ACCOUNT_TYPE = "accountType"; private static final String STATE_ACCOUNT_NAME = "accountName"; private static final String STATE_TABLE_ID = "tableId"; private static final String STATE_MAP_ID = "mapId"; /** States for the state machine that defines the upload process. */ private enum SendState { SEND_OPTIONS, START, AUTHENTICATE_MAPS, PICK_MAP, SEND_TO_MAPS, SEND_TO_MAPS_DONE, AUTHENTICATE_FUSION_TABLES, SEND_TO_FUSION_TABLES, SEND_TO_FUSION_TABLES_DONE, AUTHENTICATE_DOCS, AUTHENTICATE_TRIX, SEND_TO_DOCS, SEND_TO_DOCS_DONE, SHOW_RESULTS, SHARE_LINK, FINISH, DONE, NOT_READY } private static final int SEND_DIALOG = 1; private static final int PROGRESS_DIALOG = 2; /* @VisibleForTesting */ static final int DONE_DIALOG = 3; // UI private ProgressDialog progressDialog; // Services private MyTracksProviderUtils providerUtils; private SharedPreferences sharedPreferences; private GoogleAnalyticsTracker tracker; // Authentication private AuthManager lastAuth; private final HashMap<String, AuthManager> authMap = new HashMap<String, AuthManager>(); private AccountChooser accountChooser; private String lastAccountName; private String lastAccountType; // Send request information. private boolean shareRequested = false; private long sendTrackId; private boolean sendToMyMaps; private boolean sendToMyMapsNewMap; private boolean sendToFusionTables; private boolean sendToDocs; // Send result information, used by results dialog. private boolean sendToMyMapsSuccess = false; private boolean sendToFusionTablesSuccess = false; private boolean sendToDocsSuccess = false; // Send result information, used to share a link. private String sendToMyMapsMapId; private String sendToFusionTablesTableId; // Current sending state. private SendState currentState; private final OnCancelListener finishOnCancelListener = new OnCancelListener() { @Override public void onCancel(DialogInterface arg0) { onAllDone(); } }; @Override protected void onCreate(Bundle savedInstanceState) { Log.d(TAG, "SendActivity.onCreate"); super.onCreate(savedInstanceState); providerUtils = MyTracksProviderUtils.Factory.get(this); sharedPreferences = getSharedPreferences(Constants.SETTINGS_NAME, Context.MODE_PRIVATE); tracker = GoogleAnalyticsTracker.getInstance(); // Start the tracker in manual dispatch mode... tracker.start(getString(R.string.my_tracks_analytics_id), getApplicationContext()); tracker.setProductVersion("android-mytracks", SystemUtils.getMyTracksVersion(this)); resetState(); if (savedInstanceState != null) { restoreInstanceState(savedInstanceState); } // If we had the instance restored after it was done, reset it. if (currentState == SendState.DONE) { resetState(); } // Only consider the intent if we're not restoring from a previous state. if (currentState == SendState.SEND_OPTIONS) { if (!handleIntent()) { finish(); return; } } // Execute the state machine, at the start or restored state. Log.w(TAG, "Starting at state " + currentState); executeStateMachine(currentState); } private boolean handleIntent() { Intent intent = getIntent(); String action = intent.getAction(); String type = intent.getType(); Uri data = intent.getData(); if (!Intent.ACTION_SEND.equals(action) || !TracksColumns.CONTENT_ITEMTYPE.equals(type) || !UriUtils.matchesContentUri(data, TracksColumns.CONTENT_URI)) { Log.e(TAG, "Got bad send intent: " + intent); return false; } sendTrackId = ContentUris.parseId(data); shareRequested = intent.getBooleanExtra(EXTRA_SHARE_LINK, false); return true; } @Override protected Dialog onCreateDialog(int id) { switch (id) { case SEND_DIALOG: return createSendDialog(); case PROGRESS_DIALOG: return createProgressDialog(); case DONE_DIALOG: return createDoneDialog(); } return null; } private Dialog createSendDialog() { final SendDialog sendDialog = new SendDialog(this); sendDialog.setOnClickListener(new OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { if (which != DialogInterface.BUTTON_POSITIVE) { finish(); return; } dialog.dismiss(); sendToMyMaps = sendDialog.getSendToMyMaps(); sendToMyMapsNewMap = sendDialog.getCreateNewMap(); sendToFusionTables = sendDialog.getSendToFusionTables(); sendToDocs = sendDialog.getSendToDocs(); executeStateMachine(SendState.START); } }); sendDialog.setOnCancelListener(finishOnCancelListener); return sendDialog; } private void restoreInstanceState(Bundle savedInstanceState) { currentState = SendState.values()[savedInstanceState.getInt(STATE_STATE)]; sendToMyMaps = savedInstanceState.getBoolean(STATE_SEND_TO_MAPS); sendToFusionTables = savedInstanceState.getBoolean(STATE_SEND_TO_FUSION_TABLES); sendToDocs = savedInstanceState.getBoolean(STATE_SEND_TO_DOCS); sendToMyMapsSuccess = savedInstanceState.getBoolean(STATE_MAPS_SUCCESS); sendToFusionTablesSuccess = savedInstanceState.getBoolean(STATE_FUSION_SUCCESS); sendToDocsSuccess = savedInstanceState.getBoolean(STATE_DOCS_SUCCESS); sendToMyMapsMapId = savedInstanceState.getString(STATE_MAP_ID); sendToFusionTablesTableId = savedInstanceState.getString(STATE_TABLE_ID); lastAccountName = savedInstanceState.getString(STATE_ACCOUNT_NAME); lastAccountType = savedInstanceState.getString(STATE_ACCOUNT_TYPE); } @Override protected void onSaveInstanceState(Bundle outState) { super.onSaveInstanceState(outState); outState.putInt(STATE_STATE, currentState.ordinal()); outState.putBoolean(STATE_MAPS_SUCCESS, sendToMyMapsSuccess); outState.putBoolean(STATE_FUSION_SUCCESS, sendToFusionTablesSuccess); outState.putBoolean(STATE_DOCS_SUCCESS, sendToDocsSuccess); outState.putString(STATE_MAP_ID, sendToMyMapsMapId); outState.putString(STATE_TABLE_ID, sendToFusionTablesTableId); outState.putString(STATE_ACCOUNT_NAME, lastAccountName); outState.putString(STATE_ACCOUNT_TYPE, lastAccountType); // TODO: Ideally we should serialize/restore the authenticator map and lastAuth somehow, // but it's highly unlikely we'll get killed while an auth dialog is displayed. } @Override protected void onStop() { Log.d(TAG, "SendActivity.onStop, state=" + currentState); tracker.dispatch(); tracker.stop(); super.onStop(); } @Override protected void onDestroy() { Log.d(TAG, "SendActivity.onDestroy, state=" + currentState); super.onDestroy(); } private void executeStateMachine(SendState startState) { currentState = startState; // If a state handler returns NOT_READY, it means it's waiting for some // event, and will call this method again when it happens. while (currentState != SendState.DONE && currentState != SendState.NOT_READY) { Log.d(TAG, "Executing state " + currentState); currentState = executeState(currentState); Log.d(TAG, "New state is " + currentState); } } private SendState executeState(SendState state) { switch (state) { case SEND_OPTIONS: return showSendOptions(); case START: return startSend(); case AUTHENTICATE_MAPS: return authenticateToGoogleMaps(); case PICK_MAP: return pickMap(); case SEND_TO_MAPS: return sendToGoogleMaps(); case SEND_TO_MAPS_DONE: return onSendToGoogleMapsDone(); case AUTHENTICATE_FUSION_TABLES: return authenticateToFusionTables(); case SEND_TO_FUSION_TABLES: return sendToFusionTables(); case SEND_TO_FUSION_TABLES_DONE: return onSendToFusionTablesDone(); case AUTHENTICATE_DOCS: return authenticateToGoogleDocs(); case AUTHENTICATE_TRIX: return authenticateToGoogleTrix(); case SEND_TO_DOCS: return sendToGoogleDocs(); case SEND_TO_DOCS_DONE: return onSendToGoogleDocsDone(); case SHOW_RESULTS: return onSendToGoogleDone(); case SHARE_LINK: return shareLink(); case FINISH: return onAllDone(); default: Log.e(TAG, "Reached a non-executable state"); return null; } } private SendState showSendOptions() { showDialog(SEND_DIALOG); return SendState.NOT_READY; } /** * Initiates the process to send tracks to google. * This is called once the user has selected sending options via the * SendToGoogleDialog. */ private SendState startSend() { showDialog(PROGRESS_DIALOG); if (sendToMyMaps) { return SendState.AUTHENTICATE_MAPS; } else if (sendToFusionTables) { return SendState.AUTHENTICATE_FUSION_TABLES; } else if (sendToDocs) { return SendState.AUTHENTICATE_DOCS; } else { Log.w(TAG, "Nowhere to upload to"); return SendState.FINISH; } } private Dialog createProgressDialog() { progressDialog = new ProgressDialog(this); progressDialog.setCancelable(false); progressDialog.setIcon(android.R.drawable.ic_dialog_info); progressDialog.setTitle(R.string.generic_progress_title); progressDialog.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL); progressDialog.setMax(100); progressDialog.setProgress(0); return progressDialog; } private SendState authenticateToGoogleMaps() { Log.d(TAG, "SendActivity.authenticateToGoogleMaps"); progressDialog.setProgress(0); progressDialog.setMessage(getAuthenticatingProgressMessage(SendType.MYMAPS)); authenticate(Constants.AUTHENTICATE_TO_MY_MAPS, MyMapsConstants.SERVICE_NAME); // AUTHENTICATE_TO_MY_MAPS callback calls sendToGoogleMaps return SendState.NOT_READY; } private SendState pickMap() { if (!sendToMyMapsNewMap) { // Ask the user to choose a map to upload into Intent listIntent = new Intent(this, MyMapsList.class); listIntent.putExtra(MyMapsList.EXTRA_ACCOUNT_NAME, lastAccountName); listIntent.putExtra(MyMapsList.EXTRA_ACCOUNT_TYPE, lastAccountType); startActivityForResult(listIntent, Constants.GET_MAP); // The callback for GET_MAP calls authenticateToGoogleMaps return SendState.NOT_READY; } else { return SendState.SEND_TO_MAPS; } } private SendState sendToGoogleMaps() { tracker.trackPageView("/send/maps"); SendToMyMaps.OnSendCompletedListener onCompletion = new SendToMyMaps.OnSendCompletedListener() { @Override public void onSendCompleted(String mapId, boolean success) { sendToMyMapsSuccess = success; if (sendToMyMapsSuccess) { sendToMyMapsMapId = mapId; // Update the map id for this track: try { Track track = providerUtils.getTrack(sendTrackId); if (track != null) { track.setMapId(mapId); providerUtils.updateTrack(track); } else { Log.w(TAG, "Updating map id failed."); } } catch (RuntimeException e) { // If that fails whatever reasons we'll just log an error, but // continue. Log.w(TAG, "Updating map id failed.", e); } } executeStateMachine(SendState.SEND_TO_MAPS_DONE); } }; if (sendToMyMapsMapId == null) { sendToMyMapsMapId = SendToMyMaps.NEW_MAP_ID; } final SendToMyMaps sender = new SendToMyMaps(this, sendToMyMapsMapId, lastAuth, sendTrackId, this /*progressIndicator*/, onCompletion); new Thread(sender, "SendToMyMaps").start(); return SendState.NOT_READY; } private SendState onSendToGoogleMapsDone() { if (sendToFusionTables) { return SendState.AUTHENTICATE_FUSION_TABLES; } else if (sendToDocs) { return SendState.AUTHENTICATE_DOCS; } else { return SendState.SHOW_RESULTS; } } private SendState authenticateToFusionTables() { progressDialog.setProgress(0); progressDialog.setMessage(getAuthenticatingProgressMessage(SendType.FUSION_TABLES)); authenticate(Constants.AUTHENTICATE_TO_FUSION_TABLES, SendToFusionTables.SERVICE_ID); // AUTHENTICATE_TO_FUSION_TABLES callback calls sendToFusionTables return SendState.NOT_READY; } private SendState sendToFusionTables() { tracker.trackPageView("/send/fusion_tables"); OnSendCompletedListener onCompletion = new OnSendCompletedListener() { @Override public void onSendCompleted(String tableId, boolean success) { sendToFusionTablesSuccess = success; if (sendToFusionTablesSuccess) { sendToFusionTablesTableId = tableId; // Update the table id for this track: try { Track track = providerUtils.getTrack(sendTrackId); if (track != null) { track.setTableId(tableId); providerUtils.updateTrack(track); } else { Log.w(TAG, "Updating table id failed."); } } catch (RuntimeException e) { // If that fails whatever reasons we'll just log an error, but // continue. Log.w(TAG, "Updating table id failed.", e); } } executeStateMachine(SendState.SEND_TO_FUSION_TABLES_DONE); } }; final SendToFusionTables sender = new SendToFusionTables(this, lastAuth, sendTrackId, this /*progressIndicator*/, onCompletion); new Thread(sender, "SendToFusionTables").start(); return SendState.NOT_READY; } private SendState onSendToFusionTablesDone() { if (sendToDocs) { return SendState.AUTHENTICATE_DOCS; } else { return SendState.SHOW_RESULTS; } } private SendState authenticateToGoogleDocs() { setProgressValue(0); setProgressMessage(getAuthenticatingProgressMessage(SendType.DOCS)); authenticate(Constants.AUTHENTICATE_TO_DOCLIST, SendToDocs.GDATA_SERVICE_NAME_DOCLIST); // AUTHENTICATE_TO_DOCLIST callback calls authenticateToGoogleTrix return SendState.NOT_READY; } private SendState authenticateToGoogleTrix() { setProgressValue(30); setProgressMessage(getAuthenticatingProgressMessage(SendType.DOCS)); authenticate(Constants.AUTHENTICATE_TO_TRIX, SendToDocs.GDATA_SERVICE_NAME_TRIX); // AUTHENTICATE_TO_TRIX callback calls sendToGoogleDocs return SendState.NOT_READY; } private SendState sendToGoogleDocs() { Log.d(TAG, "Sending to Docs...."); tracker.trackPageView("/send/docs"); setProgressValue(50); String format = getString(R.string.send_google_progress_sending); String serviceName = getString(SendType.DOCS.getServiceName()); setProgressMessage(String.format(format, serviceName)); final SendToDocs sender = new SendToDocs(this, authMap.get(SendToDocs.GDATA_SERVICE_NAME_TRIX), authMap.get(SendToDocs.GDATA_SERVICE_NAME_DOCLIST), this); Runnable onCompletion = new Runnable() { public void run() { setProgressValue(100); sendToDocsSuccess = sender.wasSuccess(); executeStateMachine(SendState.SEND_TO_DOCS_DONE); } }; sender.setOnCompletion(onCompletion); sender.sendToDocs(sendTrackId); return SendState.NOT_READY; } private SendState onSendToGoogleDocsDone() { return SendState.SHOW_RESULTS; } private SendState onSendToGoogleDone() { tracker.dispatch(); runOnUiThread(new Runnable() { @Override public void run() { Log.d(TAG, "Sending to Google done."); dismissDialog(PROGRESS_DIALOG); dismissDialog(SEND_DIALOG); // Ensure a new done dialog is created each time. // This is required because the send results must be available at the // time the dialog is created. removeDialog(DONE_DIALOG); showDialog(DONE_DIALOG); } }); return SendState.NOT_READY; } private Dialog createDoneDialog() { Log.d(TAG, "Creating done dialog"); // We've finished sending the track to the user-selected services. Now // we tell them the results of the upload, and optionally share the track. // There are a few different paths through this code: // // 1. The user pre-requested a share (shareRequested == true). We're going // to display the result dialog *without* the share button (the share // listener will be null). The OK button listener will initiate the // share. // // 2. The user did not pre-request a share, and the set of services to // which we succeeded in uploading the track are compatible with // sharing. We'll display a share button (the share listener will be // non-null), and will share the link if the user clicks it. // // 3. The user did not pre-request a share, and the set of services to // which we succeeded in uploading the track are incompatible with // sharing. We won't display a share button. List<SendResult> results = makeSendToGoogleResults(); final boolean canShare = sendToFusionTablesTableId != null || sendToMyMapsMapId != null; final OnClickListener finishListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); executeStateMachine(SendState.FINISH); } }; DialogInterface.OnClickListener doShareListener = null; if (canShare) { doShareListener = new DialogInterface.OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { dialog.dismiss(); executeStateMachine(SendState.SHARE_LINK); } }; } DialogInterface.OnClickListener onOkListener = (canShare && shareRequested) ? doShareListener : finishListener; DialogInterface.OnClickListener onShareListener = (canShare && !shareRequested) ? doShareListener : null; return ResultDialogFactory.makeDialog(this, results, onOkListener, onShareListener, finishOnCancelListener); } private SendState onAllDone() { Log.d(TAG, "All sending done."); removeDialog(PROGRESS_DIALOG); removeDialog(SEND_DIALOG); removeDialog(DONE_DIALOG); progressDialog = null; finish(); return SendState.DONE; } private SendState shareLink() { String url = null; if (sendToMyMaps && sendToMyMapsSuccess) { // Prefer a link to My Maps url = MapsFacade.buildMapUrl(sendToMyMapsMapId); } else if (sendToFusionTables && sendToFusionTablesSuccess) { // Otherwise try using the link to fusion tables url = getFusionTablesUrl(sendTrackId); } if (url != null) { shareLinkToMap(url); } else { Log.w(TAG, "Failed to share link"); } return SendState.FINISH; } /** * Shares a link to a My Map or Fusion Table via external app (email, gmail, ...) * A chooser with apps that support text/plain will be shown to the user. */ private void shareLinkToMap(String url) { boolean shareUrlOnly = sharedPreferences.getBoolean( getString(R.string.share_url_only_key), false); String msg = shareUrlOnly ? url : String.format( getResources().getText(R.string.share_track_url_body_format).toString(), url); Intent shareIntent = new Intent(Intent.ACTION_SEND); shareIntent.setType("text/plain"); shareIntent.putExtra(Intent.EXTRA_SUBJECT, getResources().getText(R.string.share_track_subject).toString()); shareIntent.putExtra(Intent.EXTRA_TEXT, msg); startActivity(Intent.createChooser(shareIntent, getResources().getText(R.string.share_track_picker_title).toString())); } protected String getFusionTablesUrl(long trackId) { Track track = providerUtils.getTrack(trackId); return SendToFusionTables.getMapVisualizationUrl(track); } /** * Creates a list of {@link SendResult} instances based on the set of * services selected in {@link SendDialog} and the results as known to * this class. */ private List<SendResult> makeSendToGoogleResults() { List<SendResult> results = new ArrayList<SendResult>(); if (sendToMyMaps) { results.add(new SendResult(SendType.MYMAPS, sendToMyMapsSuccess)); } if (sendToFusionTables) { results.add(new SendResult(SendType.FUSION_TABLES, sendToFusionTablesSuccess)); } if (sendToDocs) { results.add(new SendResult(SendType.DOCS, sendToDocsSuccess)); } return results; } /** * Initializes the authentication manager which obtains an authentication * token, prompting the user for a login and password if needed. */ private void authenticate(final int requestCode, final String service) { lastAuth = authMap.get(service); if (lastAuth == null) { Log.i(TAG, "Creating a new authentication for service: " + service); lastAuth = AuthManagerFactory.getAuthManager(this, Constants.GET_LOGIN, null, true, service); authMap.put(service, lastAuth); } Log.d(TAG, "Logging in to " + service + "..."); if (AuthManagerFactory.useModernAuthManager()) { runOnUiThread(new Runnable() { @Override public void run() { chooseAccount(requestCode, service); } }); } else { doLogin(requestCode, service, null); } } private void chooseAccount(final int requestCode, final String service) { if (accountChooser == null) { accountChooser = new AccountChooser(); // Restore state if necessary. if (lastAccountName != null && lastAccountType != null) { accountChooser.setChosenAccount(lastAccountName, lastAccountType); } } accountChooser.chooseAccount(SendActivity.this, new AccountChooser.AccountHandler() { @Override public void onAccountSelected(Account account) { if (account == null) { dismissDialog(PROGRESS_DIALOG); finish(); return; } lastAccountName = account.name; lastAccountType = account.type; doLogin(requestCode, service, account); } }); } private void doLogin(final int requestCode, final String service, final Object account) { lastAuth.doLogin(new AuthCallback() { @Override public void onAuthResult(boolean success) { Log.i(TAG, "Login success for " + service + ": " + success); if (!success) { executeStateMachine(SendState.SHOW_RESULTS); return; } onLoginSuccess(requestCode); } }, account); } @Override public void onActivityResult(int requestCode, int resultCode, final Intent results) { SendState nextState = null; switch (requestCode) { case Constants.GET_LOGIN: { if (resultCode == RESULT_CANCELED || lastAuth == null) { nextState = SendState.FINISH; break; } // This will invoke onAuthResult appropriately. lastAuth.authResult(resultCode, results); break; } case Constants.GET_MAP: { // User picked a map to upload to Log.d(TAG, "Get map result: " + resultCode); if (resultCode == RESULT_OK) { if (results.hasExtra("mapid")) { sendToMyMapsMapId = results.getStringExtra("mapid"); } nextState = SendState.SEND_TO_MAPS; } else { nextState = SendState.FINISH; } break; } default: { Log.e(TAG, "Unrequested result: " + requestCode); return; } } if (nextState != null) { executeStateMachine(nextState); } } private void onLoginSuccess(int requestCode) { SendState nextState; switch (requestCode) { case Constants.AUTHENTICATE_TO_MY_MAPS: // Authenticated with Google My Maps nextState = SendState.PICK_MAP; break; case Constants.AUTHENTICATE_TO_FUSION_TABLES: // Authenticated with Google Fusion Tables nextState = SendState.SEND_TO_FUSION_TABLES; break; case Constants.AUTHENTICATE_TO_DOCLIST: // Authenticated with Google Docs nextState = SendState.AUTHENTICATE_TRIX; break; case Constants.AUTHENTICATE_TO_TRIX: // Authenticated with Trix nextState = SendState.SEND_TO_DOCS; break; default: { Log.e(TAG, "Unrequested login code: " + requestCode); return; } } executeStateMachine(nextState); } /** * Resets status information for sending to MyMaps/Docs. */ private void resetState() { currentState = SendState.SEND_OPTIONS; sendToMyMapsMapId = null; sendToMyMapsSuccess = true; sendToFusionTablesSuccess = true; sendToDocsSuccess = true; sendToFusionTablesTableId = null; } /** * Gets a progress message indicating My Tracks is authenticating to a * service. * * @param type the type of service */ private String getAuthenticatingProgressMessage(SendType type) { String format = getString(R.string.send_google_progress_authenticating); String serviceName = getString(type.getServiceName()); return String.format(format, serviceName); } @Override public void setProgressMessage(final String message) { runOnUiThread(new Runnable() { public void run() { if (progressDialog != null) { progressDialog.setMessage(message); } } }); } @Override public void setProgressValue(final int percent) { runOnUiThread(new Runnable() { public void run() { if (progressDialog != null) { progressDialog.setProgress(percent); } } }); } @Override public void clearProgressMessage() { progressDialog.setMessage(""); } public static void sendToGoogle(Context ctx, long trackId, boolean shareLink) { Uri uri = ContentUris.withAppendedId(TracksColumns.CONTENT_URI, trackId); Intent intent = new Intent(ctx, SendActivity.class); intent.setAction(Intent.ACTION_SEND); intent.setDataAndType(uri, TracksColumns.CONTENT_ITEMTYPE); intent.putExtra(SendActivity.EXTRA_SHARE_LINK, shareLink); ctx.startActivity(intent); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/SendActivity.java
Java
asf20
29,926
/* * 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.sendtogoogle; import com.google.android.maps.mytracks.R; /** * Enumerates the services to which we can upload track data. * * @author Matthew Simmons */ public enum SendType { MYMAPS(R.string.send_google_my_maps, R.string.send_google_my_maps_url), FUSION_TABLES(R.string.send_google_fusion_tables, R.string.send_google_fusion_tables_url), DOCS(R.string.send_google_docs, R.string.send_google_docs_url); private int serviceName; private int serviceUrl; private SendType(int serviceName, int serviceUrl) { this.serviceName = serviceName; this.serviceUrl = serviceUrl; } /** Returns the resource ID for the printable (short) name of the service */ public int getServiceName() { return serviceName; } /** Returns the resource ID for the service's URL */ public int getServiceUrl() { return serviceUrl; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/SendType.java
Java
asf20
1,507
/* * 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.sendtogoogle; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.util.ApiFeatures; import com.google.android.maps.mytracks.R; import android.app.Dialog; import android.content.Context; import android.content.SharedPreferences; import android.content.SharedPreferences.Editor; import android.os.Bundle; import android.view.View; import android.view.Window; import android.widget.Button; import android.widget.CheckBox; import android.widget.CompoundButton; import android.widget.CompoundButton.OnCheckedChangeListener; import android.widget.RadioButton; import android.widget.RadioGroup; /** * A dialog where the user can choose where to send the tracks to, i.e. * to Google My Maps, Google Docs, etc. * * @author Leif Hendrik Wilden */ public class SendDialog extends Dialog { private RadioButton newMapRadioButton; private RadioButton existingMapRadioButton; private CheckBox myMapsCheckBox; private CheckBox fusionTablesCheckBox; private CheckBox docsCheckBox; private OnClickListener clickListener; public SendDialog(Context context) { super(context); } @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); requestWindowFeature(Window.FEATURE_NO_TITLE); setContentView(R.layout.mytracks_send_to_google); final Button sendButton = (Button) findViewById(R.id.send_google_send_now); final RadioGroup myMapsGroup = (RadioGroup) findViewById(R.id.send_google_my_maps_group); newMapRadioButton = (RadioButton) findViewById(R.id.send_google_new_map); existingMapRadioButton = (RadioButton) findViewById(R.id.send_google_existing_map); myMapsCheckBox = (CheckBox) findViewById(R.id.send_google_my_maps); fusionTablesCheckBox = (CheckBox) findViewById(R.id.send_google_fusion_tables); docsCheckBox = (CheckBox) findViewById(R.id.send_google_docs); Button cancel = (Button) findViewById(R.id.send_google_cancel); cancel.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { if (clickListener != null) { clickListener.onClick(SendDialog.this, BUTTON_NEGATIVE); } dismiss(); } }); Button send = (Button) findViewById(R.id.send_google_send_now); send.setOnClickListener(new View.OnClickListener() { public void onClick(View v) { if (clickListener != null) { clickListener.onClick(SendDialog.this, BUTTON_POSITIVE); } dismiss(); } }); OnCheckedChangeListener checkBoxListener = new OnCheckedChangeListener() { public void onCheckedChanged(CompoundButton button, boolean checked) { sendButton.setEnabled(myMapsCheckBox.isChecked() || fusionTablesCheckBox.isChecked() || docsCheckBox.isChecked()); myMapsGroup.setVisibility(myMapsCheckBox.isChecked() ? View.VISIBLE : View.GONE); } }; myMapsCheckBox.setOnCheckedChangeListener(checkBoxListener); fusionTablesCheckBox.setOnCheckedChangeListener(checkBoxListener); docsCheckBox.setOnCheckedChangeListener(checkBoxListener); SharedPreferences prefs = getContext().getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs != null) { boolean pickExistingMap = prefs.getBoolean( getContext().getString(R.string.pick_existing_map_key), false); newMapRadioButton.setChecked(!pickExistingMap); existingMapRadioButton.setChecked(pickExistingMap); myMapsCheckBox.setChecked( prefs.getBoolean(getContext().getString(R.string.send_to_my_maps_key), true)); fusionTablesCheckBox.setChecked( prefs.getBoolean(getContext().getString(R.string.send_to_fusion_tables_key), true)); docsCheckBox.setChecked( prefs.getBoolean(getContext().getString(R.string.send_to_docs_key), true)); } } @Override protected void onStop() { super.onStop(); SharedPreferences prefs = getContext().getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (prefs != null) { Editor editor = prefs.edit(); if (editor != null) { editor.putBoolean(getContext().getString(R.string.pick_existing_map_key), existingMapRadioButton.isChecked()); editor.putBoolean(getContext().getString(R.string.send_to_my_maps_key), myMapsCheckBox.isChecked()); editor.putBoolean(getContext().getString(R.string.send_to_fusion_tables_key), fusionTablesCheckBox.isChecked()); editor.putBoolean(getContext().getString(R.string.send_to_docs_key), docsCheckBox.isChecked()); ApiFeatures.getInstance().getApiAdapter().applyPreferenceChanges(editor); } } } public void setOnClickListener(OnClickListener clickListener) { this.clickListener = clickListener; } public boolean getCreateNewMap() { return newMapRadioButton.isChecked(); } public boolean getSendToMyMaps() { return myMapsCheckBox.isChecked(); } public boolean getSendToFusionTables() { return fusionTablesCheckBox.isChecked(); } public boolean getSendToDocs() { return docsCheckBox.isChecked(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/SendDialog.java
Java
asf20
5,873
/* * 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.sendtogoogle; /** * This class represents the the result of the uploading of track data to a * single service. * * @author Matthew Simmons */ public class SendResult { private final SendType type; private final boolean success; /** * @param type the service to which track data was uploaded * @param success true if the uploading succeeded */ public SendResult(SendType type, boolean success) { this.type = type; this.success = success; } /** Returns the service to which the track data was uploaded */ public SendType getType() { return type; } /** Returns true if the uploading succeeded */ public boolean isSuccess() { return success; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/SendResult.java
Java
asf20
1,333
/* * 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.sendtogoogle; import com.google.android.maps.mytracks.R; import android.content.Context; import android.view.LayoutInflater; import android.view.View; import android.view.ViewGroup; import android.widget.ArrayAdapter; import android.widget.ImageView; import android.widget.ListAdapter; import android.widget.TextView; import java.util.List; /** * This class implements the {@link ListAdapter} used by the send-to-Google * result dialog created by {@link ResultDialogFactory}. It generates views * for each entry in an array of {@link SendResult} instances. * @author Matthew Simmons */ class ResultListAdapter extends ArrayAdapter<SendResult> { public ResultListAdapter(Context context, int textViewResourceId, List<SendResult> results) { super(context, textViewResourceId, results); } @Override public View getView(int position, View convertView, ViewGroup parent) { View view = convertView; if (view == null) { LayoutInflater inflater = (LayoutInflater) getContext().getSystemService(Context.LAYOUT_INFLATER_SERVICE); view = inflater.inflate(R.layout.send_to_google_result_list_item, null); } SendResult result = getItem(position); setImage(view, result.isSuccess() ? R.drawable.success : R.drawable.failure); setName(view, result.getType().getServiceName()); setUrl(view, result.getType().getServiceUrl()); return view; } @Override public boolean areAllItemsEnabled() { // We don't want the displayed items to be clickable return false; } // The following protected methods exist to be overridden for testing // purposes. Doing so insulates the test class from the details of the // layout. protected void setImage(View content, int drawableId) { ImageView imageView = (ImageView) content.findViewById(R.id.send_to_google_result_icon); imageView.setImageDrawable(getContext().getResources().getDrawable(drawableId)); } protected void setName(View content, int nameId) { setTextViewText(content, R.id.send_to_google_result_name, nameId); } protected void setUrl(View content, int urlId) { setTextViewText(content, R.id.send_to_google_result_url, urlId); } private void setTextViewText(View content, int viewId, int textId) { TextView textView = (TextView) content.findViewById(viewId); textView.setText(getContext().getString(textId)); } };
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/ResultListAdapter.java
Java
asf20
3,025
/* * 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.sendtogoogle; 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.view.View; import android.widget.ListView; import java.util.List; /** * Creates the dialog used to display the results of sending track data to * Google. The dialog lists the services to which data was uploaded, along * with an indicator of success/failure. If possible, a button is displayed * offering to share the uploaded track. * * Implementation note: This class is a factory, rather than a {@link Dialog} * subclass, because alert dialogs have to be created with * {@link AlertDialog.Builder}. Attempts to subclass {@link AlertDialog} * directly have been unsuccessful, as {@link AlertDialog.Builder} uses a * private subclass to implement most of the interesting behavior. * * @author Matthew Simmons */ public class ResultDialogFactory { private ResultDialogFactory() {} /** * Create a send-to-Google result dialog. The caller is responsible for * showing it. * * @param activity the activity associated with the dialog * @param results the results to be displayed in the dialog * @param onOkClickListener the listener to invoke if the OK button is * clicked * @param onShareClickListener the listener to invoke if the Share button is * clicked. If no share listener is provided, the Share button will not * be displayed. * @return the created dialog */ public static AlertDialog makeDialog(Activity activity, List<SendResult> results, DialogInterface.OnClickListener onOkClickListener, DialogInterface.OnClickListener onShareClickListener, DialogInterface.OnCancelListener onCancelListener) { boolean success = true; for (SendResult result : results) { if (!result.isSuccess()) { success = false; break; } } AlertDialog.Builder builder = new AlertDialog.Builder(activity) .setView(makeDialogContent(activity, results, success)); if (success) { builder.setTitle(R.string.generic_success_title); builder.setIcon(android.R.drawable.ic_dialog_info); } else { builder.setTitle(R.string.generic_error_title); builder.setIcon(android.R.drawable.ic_dialog_alert); } builder.setPositiveButton(activity.getString(R.string.generic_ok), onOkClickListener); if (onShareClickListener != null) { builder.setNegativeButton(activity.getString(R.string.send_google_result_share_url), onShareClickListener); } builder.setOnCancelListener(onCancelListener); return builder.create(); } private static View makeDialogContent(Activity activity, List<SendResult> results, boolean success) { ResultListAdapter resultListAdapter = new ResultListAdapter(activity, R.layout.send_to_google_result_list_item, results); View content = activity.getLayoutInflater().inflate(R.layout.send_to_google_result, null); ListView resultList = (ListView) content.findViewById(R.id.send_to_google_result_list); resultList.setAdapter(resultListAdapter); content.findViewById(R.id.send_to_google_result_comment) .setVisibility(success ? View.VISIBLE : View.GONE); content.findViewById(R.id.send_to_google_result_error) .setVisibility(success ? View.GONE : View.VISIBLE); return content; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/sendtogoogle/ResultDialogFactory.java
Java
asf20
4,083
/* * 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.docs; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import java.text.NumberFormat; import java.util.Locale; /** * <p>This class builds a string of XML tags used to talk to Docs using GData. * * <p>Sample Usage: * * <code> * String tags = new DocsTagBuilder(false) * .append("tagName", "tagValue") * .appendLargeUnits("bigTagName", 1.0) * .build(); * </code> * * <p>results in: * * <code> * <gsx:tagName><![CDATA[tagValue]]></gsx:tagName> * <gsx:bigTagName><![CDATA[1.00]]></gsx:bigTagName> * </code> * * @author Matthew Simmons */ class DocsTagBuilder { // Google Docs can only parse numbers in the English locale. private static final NumberFormat LARGE_UNIT_FORMAT = NumberFormat.getNumberInstance( Locale.ENGLISH); private static final NumberFormat SMALL_UNIT_FORMAT = NumberFormat.getIntegerInstance( Locale.ENGLISH); static { LARGE_UNIT_FORMAT.setMaximumFractionDigits(2); LARGE_UNIT_FORMAT.setMinimumFractionDigits(2); } protected final boolean metricUnits; protected final StringBuilder stringBuilder; /** * @param metricUnits True if metric units are to be used. If false, * imperial units will be used. */ DocsTagBuilder(boolean metricUnits) { this.metricUnits = metricUnits; this.stringBuilder = new StringBuilder(); } /** Appends a tag containing a string value */ DocsTagBuilder append(String name, String value) { appendTag(name, value); return this; } /** * Appends a tag containing a numeric value. The value will be formatted * according to the large distance of the specified measurement system (i.e. * kilometers or miles). * * @param name The tag name. * @param d The value to be formatted, in kilometers. */ DocsTagBuilder appendLargeUnits(String name, double d) { double value = metricUnits ? d : (d * UnitConversions.KM_TO_MI); appendTag(name, LARGE_UNIT_FORMAT.format(value)); return this; } /** * Appends a tag containing a numeric value. The value will be formatted * according to the small distance of the specified measurement system (i.e. * meters or feet). * * @param name The tag name. * @param d The value to be formatted, in meters. */ DocsTagBuilder appendSmallUnits(String name, double d) { double value = metricUnits ? d : (d * UnitConversions.M_TO_FT); appendTag(name, SMALL_UNIT_FORMAT.format(value)); return this; } /** Returns a string containing all tags which have been added. */ String build() { return stringBuilder.toString(); } private void appendTag(String name, String value) { stringBuilder.append("<gsx:") .append(name) .append(">") .append(StringUtils.stringAsCData(value)) .append("</gsx:") .append(name) .append(">"); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/docs/DocsTagBuilder.java
Java
asf20
3,565
/* * 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.docs; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.AuthManager; import com.google.android.apps.mytracks.io.gdata.GDataWrapper; import com.google.android.apps.mytracks.io.gdata.GDataWrapper.QueryFunction; 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.maps.mytracks.R; 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.docs.SpreadsheetsClient; import com.google.wireless.gdata.docs.SpreadsheetsClient.WorksheetEntry; 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.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.text.DateFormat; import java.util.Date; import java.util.concurrent.atomic.AtomicReference; /** * This class contains helper methods for interacting with Google Docs and * Google Spreadsheets. * * @author Sandor Dornbush * @author Matthew Simmons */ public class DocsHelper { private static final String DOCS_FEED_URL = "https://docs.google.com/feeds/documents/private/full"; private static final String DOCS_SPREADSHEET_URL = "https://docs.google.com/feeds/documents/private/full/spreadsheet%3A"; private static final String DOCS_WORKSHEETS_URL_FORMAT = "https://spreadsheets.google.com/feeds/worksheets/%s/private/full"; private static final String DOCS_MY_SPREADSHEETS_FEED_URL = "https://docs.google.com/feeds/documents/private/full?category=mine,spreadsheet"; private static final String DOCS_SPREADSHEET_URL_FORMAT = "https://spreadsheets.google.com/feeds/list/%s/%s/private/full"; private static final String CONTENT_TYPE_PARAM = "Content-Type"; private static final String OPENDOCUMENT_SPREADSHEET_MIME_TYPE = "application/x-vnd.oasis.opendocument.spreadsheet"; private static final String ATOM_FEED_MIME_TYPE = "application/atom+xml"; /** * Creates a new MyTracks spreadsheet with the given name. * * @param context The context associated with this request. * @param docListWrapper The GData handle for the Document List service. * @param name The name for the newly-created spreadsheet. * @return The spreadsheet ID, if one is created. {@code null} will be * returned if a GData error didn't occur, but no spreadsheet ID was * returned. */ public String createSpreadsheet(final Context context, final GDataWrapper<GDataServiceClient> docListWrapper, final String name) throws IOException { final AtomicReference<String> idSaver = new AtomicReference<String>(); boolean success = docListWrapper.runQuery(new QueryFunction<GDataServiceClient>() { @Override public void query(GDataServiceClient client) throws IOException, GDataWrapper.AuthenticationException { // Construct and send request URL url = new URL(DOCS_FEED_URL); URLConnection conn = url.openConnection(); conn.addRequestProperty(CONTENT_TYPE_PARAM, OPENDOCUMENT_SPREADSHEET_MIME_TYPE); conn.addRequestProperty("Slug", name); conn.addRequestProperty("Authorization", "GoogleLogin auth=" + docListWrapper.getAuthManager().getAuthToken()); conn.setDoOutput(true); OutputStream os = conn.getOutputStream(); ResourceUtils.readBinaryFileToOutputStream( context, R.raw.mytracks_empty_spreadsheet, os); // Get the response // TODO: The following is a horrible ugly hack. // Hopefully we can retire it when there is a proper gdata api. BufferedReader rd = null; String line; StringBuilder resultBuilder = new StringBuilder(); try { rd = new BufferedReader(new InputStreamReader(conn.getInputStream())); while ((line = rd.readLine()) != null) { resultBuilder.append(line); } os.close(); rd.close(); } 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. return; } finally { os.close(); if (rd != null) { rd.close(); } } String result = resultBuilder.toString(); // Try to find the id. int idTagIndex = result.indexOf("<id>"); if (idTagIndex == -1) { return; } int idTagCloseIndex = result.indexOf("</id>", idTagIndex); if (idTagCloseIndex == -1) { return; } int idStringStart = result.indexOf(DOCS_SPREADSHEET_URL, idTagIndex); if (idStringStart == -1) { return; } String id = result.substring( idStringStart + DOCS_SPREADSHEET_URL.length(), idTagCloseIndex); Log.i(Constants.TAG, "Created new spreadsheet: " + id); idSaver.set(id); }}); if (!success) { throw newIOException(docListWrapper, "Failed to create new spreadsheet."); } return idSaver.get(); } /** * Retrieve the ID of a spreadsheet with the given name. * * @param docListWrapper The GData handle for the Document List service. * @param title The name of the spreadsheet whose ID is to be retrieved. * @return The spreadsheet ID, if it can be retrieved. {@code null} will * be returned if no spreadsheet exists by the given name. * @throws IOException If an error occurs during the GData request. */ public String requestSpreadsheetId(final GDataWrapper<GDataServiceClient> docListWrapper, final String title) throws IOException { final AtomicReference<String> idSaver = new AtomicReference<String>(); boolean result = docListWrapper.runQuery(new QueryFunction<GDataServiceClient>() { @Override public void query(GDataServiceClient client) throws IOException, GDataWrapper.ParseException, GDataWrapper.HttpException, GDataWrapper.AuthenticationException { GDataParser listParser; try { listParser = client.getParserForFeed(Entry.class, DOCS_MY_SPREADSHEETS_FEED_URL, docListWrapper.getAuthManager().getAuthToken()); listParser.init(); while (listParser.hasMoreData()) { Entry entry = listParser.readNextEntry(null); String entryTitle = entry.getTitle(); Log.i(Constants.TAG, "Found docs entry: " + entryTitle); if (entryTitle.equals(title)) { String entryId = entry.getId(); int lastSlash = entryId.lastIndexOf('/'); idSaver.set(entryId.substring(lastSlash + 15)); break; } } } catch (ParseException e) { throw new GDataWrapper.ParseException(e); } catch (HttpException e) { throw new GDataWrapper.HttpException(e.getStatusCode(), e.getMessage()); } } }); if (!result) { throw newIOException(docListWrapper, "Failed to retrieve spreadsheet list."); } return idSaver.get(); } /** * Retrieve the ID of the first worksheet in the named spreadsheet. * * @param trixWrapper The GData handle for the spreadsheet service. * @param spreadsheetId The GData ID for the given spreadsheet. * @return The worksheet ID, if it can be retrieved. {@code null} will be * returned if the GData request returns without error, but without an * ID. * @throws IOException If an error occurs during the GData request. */ public String getWorksheetId(final GDataWrapper<GDataServiceClient> trixWrapper, final String spreadsheetId) throws IOException { final AtomicReference<String> idSaver = new AtomicReference<String>(); boolean result = trixWrapper.runQuery(new QueryFunction<GDataServiceClient>() { @Override public void query(GDataServiceClient client) throws GDataWrapper.AuthenticationException, IOException, GDataWrapper.ParseException, GDataWrapper.HttpException { String uri = String.format(DOCS_WORKSHEETS_URL_FORMAT, spreadsheetId); GDataParser sheetParser; try { sheetParser = ((SpreadsheetsClient) client).getParserForWorksheetsFeed(uri, trixWrapper.getAuthManager().getAuthToken()); sheetParser.init(); if (!sheetParser.hasMoreData()) { Log.i(Constants.TAG, "Found no worksheets"); return; } // Grab the first worksheet. WorksheetEntry worksheetEntry = (WorksheetEntry) sheetParser.readNextEntry(new WorksheetEntry()); int lastSlash = worksheetEntry.getId().lastIndexOf('/'); idSaver.set(worksheetEntry.getId().substring(lastSlash + 1)); } catch (ParseException e) { throw new GDataWrapper.ParseException(e); } catch (AuthenticationException e) { throw new GDataWrapper.AuthenticationException(e); } } }); if (!result) { throw newIOException(trixWrapper, "Failed to retrieve worksheet ID."); } return idSaver.get(); } /** * Add a row to a worksheet containing the stats for a given track. * * @param context The context associated with this request. * @param trixAuth The GData authorization for the spreadsheet service. * @param spreadsheetId The spreadsheet to be modified. * @param worksheetId The worksheet to be modified. * @param track The track whose stats are to be written. * @param metricUnits True if metric units are to be used. If false, * imperial units will be used. * @throws IOException If an error occurs while updating the worksheet. */ public void addTrackRow(Context context, AuthManager trixAuth, String spreadsheetId, String worksheetId, Track track, boolean metricUnits) throws IOException { String worksheetUri = String.format(DOCS_SPREADSHEET_URL_FORMAT, spreadsheetId, worksheetId); 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); // Prepare the Post-Text we are going to send. DocsTagBuilder tagBuilder = new DocsTagBuilder(metricUnits) .append("name", track.getName()) .append("description", track.getDescription()) .append("date", getDisplayDate(stats.getStartTime())) .append("totaltime", StringUtils.formatTimeAlwaysShowingHours( stats.getTotalTime())) .append("movingtime", StringUtils.formatTimeAlwaysShowingHours( stats.getMovingTime())) .appendLargeUnits("distance", stats.getTotalDistance() / 1000) .append("distanceunit", distanceUnit) .appendLargeUnits("averagespeed", stats.getAverageSpeed() * 3.6) .appendLargeUnits("averagemovingspeed", stats.getAverageMovingSpeed() * 3.6) .appendLargeUnits("maxspeed", stats.getMaxSpeed() * 3.6) .append("speedunit", speedUnit) .appendSmallUnits("elevationgain", stats.getTotalElevationGain()) .appendSmallUnits("minelevation", stats.getMinElevation()) .appendSmallUnits("maxelevation", stats.getMaxElevation()) .append("elevationunit", elevationUnit); if (track.getMapId().length() > 0) { tagBuilder.append("map", String.format("%s?msa=0&msid=%s", Constants.MAPSHOP_BASE_URL, track.getMapId())); } String postText = new StringBuilder() .append("<entry xmlns='http://www.w3.org/2005/Atom' " + "xmlns:gsx='http://schemas.google.com/spreadsheets/" + "2006/extended'>") .append(tagBuilder.build()) .append("</entry>") .toString(); Log.i(Constants.TAG, "Inserting at: " + spreadsheetId + " => " + worksheetUri); Log.i(Constants.TAG, postText); writeRowData(trixAuth, worksheetUri, postText); Log.i(Constants.TAG, "Post finished."); } /** * Gets the display string for a time. * * @param time the time * @return the display string of the time */ private String getDisplayDate(long time) { DateFormat format = DateFormat.getDateTimeInstance(DateFormat.SHORT, DateFormat.SHORT); Date startTime = new Date(time); String dateString = format.format(startTime); return dateString; } /** * Writes spreadsheet row data to the indicated worksheet. * * @param trixAuth The GData authorization for the spreadsheet service. * @param worksheetUri The URI of the worksheet to be altered. * @param postText The XML tags describing the change to be made. * @throws IOException Thrown if an error occurs during the write. */ protected void writeRowData(AuthManager trixAuth, String worksheetUri, String postText) throws IOException { // No need for a wrapper because we know that the authorization was good // enough to get this far. URL url = new URL(worksheetUri); URLConnection conn = url.openConnection(); conn.addRequestProperty(CONTENT_TYPE_PARAM, ATOM_FEED_MIME_TYPE); conn.addRequestProperty("Authorization", "GoogleLogin auth=" + trixAuth.getAuthToken()); conn.setDoOutput(true); OutputStreamWriter wr = new OutputStreamWriter(conn.getOutputStream()); wr.write(postText); wr.flush(); // Get the response. // TODO: Should we parse the response, rather than simply throwing it away? BufferedReader rd = new BufferedReader(new InputStreamReader(conn.getInputStream())); String line; while ((line = rd.readLine()) != null) { // Process line. Log.i(Constants.TAG, "r: " + line); } wr.close(); rd.close(); } private static IOException newIOException(GDataWrapper<GDataServiceClient> wrapper, String message) { return new IOException(String.format("%s: %d: %s", message, wrapper.getErrorType(), wrapper.getErrorMessage())); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/docs/DocsHelper.java
Java
asf20
15,571
/* * 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/AndroidGDataClient.java
Java
asf20
14,518
/* * 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); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/QueryParamsImpl.java
Java
asf20
2,857
/* * 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) { 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(); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/GDataClientFactory.java
Java
asf20
1,696
/* * 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.gdata; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.io.AuthManager; import com.google.android.apps.mytracks.io.AuthManager.AuthCallback; import android.util.Log; import java.io.FileNotFoundException; import java.io.IOException; import java.util.concurrent.ExecutionException; import java.util.concurrent.FutureTask; import java.util.concurrent.TimeUnit; import java.util.concurrent.TimeoutException; import java.util.concurrent.atomic.AtomicBoolean; /** * GDataWrapper provides a wrapper around GData operations that maintains the * GData client, and provides a method to run GData queries with proper error * handling. After a query is run, the wrapper can be queried about the error * that occurred. * * @param <C> the GData service client * @author Sandor Dornbush */ public class GDataWrapper<C> { public static class AuthenticationException extends Exception { private Exception exception; private static final long serialVersionUID = 1L; public AuthenticationException(Exception caught) { this.exception = caught; } public Exception getException() { return exception; } }; public static class ParseException extends Exception { private Exception exception; private static final long serialVersionUID = 1L; public ParseException(Exception caught) { this.exception = caught; } public Exception getException() { return exception; } }; public static class ConflictDetectedException extends Exception { private Exception exception; private static final long serialVersionUID = 1L; public ConflictDetectedException(Exception caught) { this.exception = caught; } public Exception getException() { return exception; } }; public static class HttpException extends Exception { private static final long serialVersionUID = 1L; private int statusCode; private String statusMessage; public HttpException(int statusCode, String statusMessage) { super(); this.statusCode = statusCode; this.statusMessage = statusMessage; } public int getStatusCode() { return statusCode; } public String getStatusMessage() { return statusMessage; } }; /** * A QueryFunction is passed in when executing a query. The query function of * the class is called with the GData client as a parameter. The function * should execute whatever operations it desires on the client without concern * for whether the client will throw an error. */ public interface QueryFunction<C> { public abstract void query(C client) throws AuthenticationException, IOException, ParseException, ConflictDetectedException, HttpException; } /** * A AuthenticatedFunction is passed in when executing the google * authenticated service. The authenticated function of the class is called * with the current authentication token for the service. The function should * execute whatever operations with the google service without concern for * whether the client will throw an error. */ public interface AuthenticatedFunction { public abstract void run(String authenticationToken) throws AuthenticationException, IOException; } // The types of error that may be encountered // No error occurred. public static final int ERROR_NO_ERROR = 0; // There was an authentication error, the auth token may be invalid. public static final int ERROR_AUTH = 1; // There was an internal error on the server side. public static final int ERROR_INTERNAL = 2; // There was an error connecting to the server. public static final int ERROR_CONNECTION = 3; // The item queried did not exit. public static final int ERROR_NOT_FOUND = 4; // There was an error parsing or serializing locally. public static final int ERROR_LOCAL = 5; // There was a conflict, update the entry and try again. public static final int ERROR_CONFLICT = 6; // A query was run after cleaning up the wrapper, so the client was invalid. public static final int ERROR_CLEANED_UP = 7; // An unknown error occurred. public static final int ERROR_UNKNOWN = 100; private static final int AUTH_TOKEN_INVALIDATE_REFRESH_NUM_RETRIES = 1; private static final int AUTH_TOKEN_INVALIDATE_REFRESH_TIMEOUT = 5000; private String errorMessage; private int errorType; private C gdataServiceClient; private AuthManager auth; private boolean retryOnAuthFailure; public GDataWrapper() { errorType = ERROR_NO_ERROR; errorMessage = null; auth = null; retryOnAuthFailure = false; } public void setClient(C gdataServiceClient) { this.gdataServiceClient = gdataServiceClient; } public boolean runAuthenticatedFunction( final AuthenticatedFunction function) { return runCommon(function, null); } public boolean runQuery(final QueryFunction<C> query) { return runCommon(null, query); } /** * Runs an arbitrary piece of code. */ private boolean runCommon(final AuthenticatedFunction function, final QueryFunction<C> query) { for (int i = 0; i <= AUTH_TOKEN_INVALIDATE_REFRESH_NUM_RETRIES; i++) { runOne(function, query); if (errorType == ERROR_NO_ERROR) { return true; } Log.d(Constants.TAG, "GData error encountered: " + errorMessage); if (errorType == ERROR_AUTH && auth != null) { if (!retryOnAuthFailure || !invalidateAndRefreshAuthToken()) { return false; } } Log.d(Constants.TAG, "retrying function/query"); } return false; } /** * Execute a given function or query. If one is executed, errorType and * errorMessage will contain the result/status of the function/query. */ private void runOne(final AuthenticatedFunction function, final QueryFunction<C> query) { try { if (function != null) { function.run(this.auth.getAuthToken()); } else if (query != null) { query.query(gdataServiceClient); } else { throw new IllegalArgumentException( "invalid invocation of runOne; one of function/query " + "must be non-null"); } errorType = ERROR_NO_ERROR; errorMessage = null; } catch (AuthenticationException e) { Log.e(Constants.TAG, "AuthenticationException", e); errorType = ERROR_AUTH; errorMessage = e.getMessage(); } catch (HttpException e) { Log.e(Constants.TAG, "HttpException, code " + e.getStatusCode() + " message " + e.getMessage(), e); errorMessage = e.getMessage(); if (e.getStatusCode() == 401) { errorType = ERROR_AUTH; } else { errorType = ERROR_CONNECTION; } } catch (FileNotFoundException e) { Log.e(Constants.TAG, "Exception", e); errorType = ERROR_AUTH; errorMessage = e.getMessage(); } catch (IOException e) { Log.e(Constants.TAG, "Exception", e); errorMessage = e.getMessage(); if (errorMessage != null && errorMessage.contains("503")) { errorType = ERROR_INTERNAL; } else { errorType = ERROR_CONNECTION; } } catch (ParseException e) { Log.e(Constants.TAG, "Exception", e); errorType = ERROR_LOCAL; errorMessage = e.getMessage(); } catch (ConflictDetectedException e) { Log.e(Constants.TAG, "Exception", e); errorType = ERROR_CONFLICT; errorMessage = e.getMessage(); } } /** * Invalidates and refreshes the auth token. Blocks until the refresh has * completed or until we deem the refresh as having timed out. * * @return true If the invalidate/refresh succeeds, false if it fails or * times out. */ private boolean invalidateAndRefreshAuthToken() { Log.d(Constants.TAG, "Retrying due to auth failure"); // This FutureTask doesn't do anything -- it exists simply to be // blocked upon using get(). final FutureTask<?> whenFinishedFuture = new FutureTask<Object>(new Runnable() { public void run() {} }, null); final AtomicBoolean finalSuccess = new AtomicBoolean(false); auth.invalidateAndRefresh(new AuthCallback() { @Override public void onAuthResult(boolean success) { finalSuccess.set(success); whenFinishedFuture.run(); } }); try { Log.d(Constants.TAG, "waiting for invalidate"); whenFinishedFuture.get(AUTH_TOKEN_INVALIDATE_REFRESH_TIMEOUT, TimeUnit.MILLISECONDS); boolean success = finalSuccess.get(); Log.d(Constants.TAG, "invalidate finished, success = " + success); return success; } catch (InterruptedException e) { Log.e(Constants.TAG, "Failed to invalidate", e); } catch (ExecutionException e) { Log.e(Constants.TAG, "Failed to invalidate", e); } catch (TimeoutException e) { Log.e(Constants.TAG, "Invalidate didn't complete in time", e); } finally { whenFinishedFuture.cancel(false); } return false; } public int getErrorType() { return errorType; } public String getErrorMessage() { return errorMessage; } public void setAuthManager(AuthManager auth) { this.auth = auth; } public AuthManager getAuthManager() { return auth; } public void setRetryOnAuthFailure(boolean retry) { retryOnAuthFailure = retry; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/gdata/GDataWrapper.java
Java
asf20
10,050
/* * 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; import com.google.android.googlelogindist.GoogleLoginServiceConstants; import com.google.android.googlelogindist.GoogleLoginServiceHelper; import android.app.Activity; import android.content.Intent; import android.os.Bundle; /** * AuthManager keeps track of the current auth token for a user. The advantage * over just passing around a String is that this class can renew the auth * token if necessary, and it will change for all classes using this * AuthManager. */ public class AuthManagerOld implements AuthManager { /** The activity that will handle auth result callbacks. */ private final Activity activity; /** The code used to tell the activity that it is an auth result. */ private final int code; /** Extras to pass into the getCredentials function. */ private final Bundle extras; /** True if the account must be a Google account (not a domain account). */ private final boolean requireGoogle; /** The name of the service to authorize for. */ private final String service; /** The handler to call when a new auth token is fetched. */ private AuthCallback authCallback; /** The most recently fetched auth token or null if none is available. */ private String authToken; /** * AuthManager requires many of the same parameters as * {@link GoogleLoginServiceHelper#getCredentials(Activity, int, Bundle, * boolean, String, boolean)}. The activity must have * a handler in {@link Activity#onActivityResult} that calls * {@link #authResult(int, Intent)} if the request code is the code given * here. * * @param activity An activity with a handler in * {@link Activity#onActivityResult} that calls * {@link #authResult(int, Intent)} when {@literal code} is the request * code * @param code The request code to pass to * {@link Activity#onActivityResult} when * {@link #authResult(int, Intent)} should be called * @param extras A {@link Bundle} of extras for * {@link GoogleLoginServiceHelper} * @param requireGoogle True if the account must be a Google account * @param service The name of the service to authenticate as */ public AuthManagerOld(Activity activity, int code, Bundle extras, boolean requireGoogle, String service) { this.activity = activity; this.code = code; this.extras = extras; this.requireGoogle = requireGoogle; this.service = service; } @Override public void doLogin(AuthCallback callback, Object o) { authCallback = callback; activity.runOnUiThread(new LoginRunnable()); } /** * Runnable which actually gets login credentials. */ private class LoginRunnable implements Runnable { @Override public void run() { GoogleLoginServiceHelper.getCredentials( activity, code, extras, requireGoogle, service, true); } } @Override public void authResult(int resultCode, Intent results) { if (resultCode != Activity.RESULT_OK) { runAuthCallback(false); return; } authToken = results.getStringExtra(GoogleLoginServiceConstants.AUTHTOKEN_KEY); if (authToken == null) { // Retry, without prompting the user. GoogleLoginServiceHelper.getCredentials( activity, code, extras, requireGoogle, service, false); } else { // Notify all active listeners that we have a new auth token. runAuthCallback(true); } } private void runAuthCallback(boolean success) { authCallback.onAuthResult(success); authCallback = null; } @Override public String getAuthToken() { return authToken; } @Override public void invalidateAndRefresh(AuthCallback callback) { authCallback = callback; activity.runOnUiThread(new Runnable() { public void run() { GoogleLoginServiceHelper.invalidateAuthToken(activity, code, authToken); } }); } @Override public Object getAccountObject(String accountName, String accountType) { throw new UnsupportedOperationException("Legacy auth manager knows nothing about accounts"); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/AuthManagerOld.java
Java
asf20
4,713
/* * 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; import android.content.Intent; /** * This interface describes a class that will fetch and maintain a Google * authentication token. * * @author Sandor Dornbush */ public interface AuthManager { /** * Callback for authentication token retrieval operations. */ public interface AuthCallback { /** * Indicates that we're done fetching an auth token. * * @param success if true, indicates we have the requested auth token available * to be retrieved using {@link AuthManager#getAuthToken} */ void onAuthResult(boolean success); } /** * Initializes the login process. The user should be asked to login if they * haven't already. The {@link AuthCallback} provided will be executed when the * auth token fetching is done (successfully or not). * * @param whenFinished A {@link AuthCallback} to execute when the auth token * fetching is done */ void doLogin(AuthCallback whenFinished, Object o); /** * The {@link android.app.Activity} owner of this class should call this * function when it gets {@link android.app.Activity#onActivityResult} with * the request code passed into the constructor. The resultCode and results * should come directly from the {@link android.app.Activity#onActivityResult} * function. This function will return true if an auth token was successfully * fetched or the process is not finished. * * @param resultCode The result code passed in to the * {@link android.app.Activity}'s * {@link android.app.Activity#onActivityResult} function * @param results The data passed in to the {@link android.app.Activity}'s * {@link android.app.Activity#onActivityResult} function */ void authResult(int resultCode, Intent results); /** * Returns the current auth token. Response may be null if no valid auth * token has been fetched. * * @return The current auth token or null if no auth token has been * fetched */ String getAuthToken(); /** * Invalidates the existing auth token and request a new one. The * {@link Runnable} provided will be executed when the new auth token is * successfully fetched. * * @param whenFinished A {@link Runnable} to execute when a new auth token * is successfully fetched */ void invalidateAndRefresh(AuthCallback whenFinished); /** * Returns an object that represents the given account, if possible. * * @param accountName the name of the account * @param accountType the type of the account * @return the account object */ Object getAccountObject(String accountName, String accountType); }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/AuthManager.java
Java
asf20
3,314
/* * 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 }; }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/BackupColumns.java
Java
asf20
4,267
/* * 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; private final FileUtils fileUtils; public ExternalFileBackup(Context context, FileUtils fileUtils) { this.context = context; this.fileUtils = fileUtils; } /** * 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(); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/ExternalFileBackup.java
Java
asf20
9,130
/* * 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.ApiFeatures; 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); } ApiFeatures.getInstance().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"); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/PreferenceBackupHelper.java
Java
asf20
5,986
/* * 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 com.google.android.apps.mytracks.MyTracks; 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.AlertDialog.Builder; import android.app.Dialog; import android.app.ProgressDialog; import android.content.DialogInterface; import android.content.DialogInterface.OnClickListener; import android.content.Intent; import android.util.Log; import android.widget.Toast; import java.io.IOException; import java.text.DateFormat; import java.util.Arrays; import java.util.Comparator; import java.util.Date; /** * Helper which shows a UI for writing or restoring a backup, * and calls the appropriate handler for actually executing those * operations. * * @author Rodrigo Damazio */ public class BackupActivityHelper { // Since the user sees this format, we use the local timezone private static final DateFormat DISPLAY_BACKUP_FORMAT = DateFormat.getDateTimeInstance( DateFormat.SHORT, DateFormat.SHORT); private static final Comparator<Date> REVERSE_DATE_ORDER = new Comparator<Date>() { @Override public int compare(Date s1, Date s2) { return s2.compareTo(s1); } }; private final FileUtils fileUtils; private final ExternalFileBackup backup; private final Activity activity; public BackupActivityHelper(Activity activity) { this.activity = activity; this.fileUtils = new FileUtils(); this.backup = new ExternalFileBackup(activity, fileUtils); } /** * Writes a full backup to the default file. * This shows the results to the user. */ public void writeBackup() { if (!fileUtils.isSdCardAvailable()) { showToast(R.string.sd_card_error_no_storage); return; } if (!backup.isBackupsDirectoryAvailable(true)) { showToast(R.string.sd_card_error_create_dir); return; } final ProgressDialog progressDialog = ProgressDialog.show( activity, activity.getString(R.string.generic_progress_title), activity.getString(R.string.settings_backup_now_progress_message), true); // Do the writing in another thread new Thread() { @Override public void run() { try { backup.writeToDefaultFile(); showToast(R.string.sd_card_success_write_file); } catch (IOException e) { Log.e(Constants.TAG, "Failed to write backup", e); showToast(R.string.sd_card_error_write_file); } finally { dismissDialog(progressDialog); } } }.start(); } /** * Restores a full backup from the SD card. * The user will be given a choice of which backup to restore as well as a * confirmation dialog. */ public void restoreBackup() { // Get the list of existing backups if (!fileUtils.isSdCardAvailable()) { showToast(R.string.sd_card_error_no_storage); return; } if (!backup.isBackupsDirectoryAvailable(false)) { showToast(R.string.settings_backup_restore_no_backup); return; } final Date[] backupDates = backup.getAvailableBackups(); if (backupDates == null || backupDates.length == 0) { showToast(R.string.settings_backup_restore_no_backup); return; } Arrays.sort(backupDates, REVERSE_DATE_ORDER); // Show a confirmation dialog Builder confirmationDialogBuilder = new AlertDialog.Builder(activity); confirmationDialogBuilder.setMessage(R.string.settings_backup_restore_confirm_message); confirmationDialogBuilder.setCancelable(true); confirmationDialogBuilder.setPositiveButton(android.R.string.yes, new OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { pickBackupForRestore(backupDates); } }); confirmationDialogBuilder.setNegativeButton(android.R.string.no, null); confirmationDialogBuilder.create().show(); } /** * Shows a backup list for the user to pick, then restores it. * * @param backupDates the list of available backup files */ private void pickBackupForRestore(final Date[] backupDates) { if (backupDates.length == 1) { // Only one choice, don't bother showing the list restoreFromDateAsync(backupDates[0]); return; } // Make a user-visible version of the backup filenames final String backupDateStrs[] = new String[backupDates.length]; for (int i = 0; i < backupDates.length; i++) { backupDateStrs[i] = DISPLAY_BACKUP_FORMAT.format(backupDates[i]); } // Show a dialog for the user to pick which backup to restore Builder dialogBuilder = new AlertDialog.Builder(activity); dialogBuilder.setCancelable(true); dialogBuilder.setTitle(R.string.settings_backup_restore_select_title); dialogBuilder.setItems(backupDateStrs, new OnClickListener() { @Override public void onClick(DialogInterface dialog, int which) { // User picked to restore this one restoreFromDateAsync(backupDates[which]); } }); dialogBuilder.create().show(); } /** * Shows a progress dialog, then starts restoring the backup asynchronously. * * @param date the date */ private void restoreFromDateAsync(final Date date) { // Show a progress dialog ProgressDialog.show( activity, activity.getString(R.string.generic_progress_title), activity.getString(R.string.settings_backup_restore_progress_message), true); // Do the actual importing in another thread (don't block the UI) new Thread() { @Override public void run() { try { backup.restoreFromDate(date); showToast(R.string.sd_card_success_read_file); } catch (IOException e) { Log.e(Constants.TAG, "Failed to restore backup", e); showToast(R.string.sd_card_error_read_file); } finally { // Data may have been restored, "reboot" the app to catch it restartApplication(); } } }.start(); } /** * Restarts My Tracks completely. * This forces any modified data to be re-read. */ private void restartApplication() { Intent intent = new Intent(activity, MyTracks.class); intent.addFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); activity.startActivity(intent); } /** * Shows a toast with the given contents. */ private void showToast(final int resId) { activity.runOnUiThread(new Runnable() { @Override public void run() { Toast.makeText(activity, resId, Toast.LENGTH_LONG).show(); } }); } /** * Safely dismisses the given dialog. */ private void dismissDialog(final Dialog dialog) { activity.runOnUiThread(new Runnable() { @Override public void run() { dialog.dismiss(); } }); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/BackupActivityHelper.java
Java
asf20
7,614
/* * 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"); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/DatabaseDumper.java
Java
asf20
7,903
/* * 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); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/DatabaseImporter.java
Java
asf20
6,240
/* * 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.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 */ 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); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/MyTracksBackupAgent.java
Java
asf20
3,622
/* * 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.app.backup.BackupManager; import android.content.Context; import android.content.SharedPreferences; /** * Implementation of {@link BackupPreferencesListener} that calls the * {@link BackupManager}. * * @author Jimmy Shih */ public class BackupPreferencesListenerImpl implements BackupPreferencesListener { private final BackupManager backupManager; public BackupPreferencesListenerImpl(Context context) { this.backupManager = new BackupManager(context); } @Override public void onSharedPreferenceChanged(SharedPreferences sharedPreferences, String key) { backupManager.dataChanged(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/BackupPreferencesListenerImpl.java
Java
asf20
1,276
/* * 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 { }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/backup/BackupPreferencesListener.java
Java
asf20
955
/* * 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.util.FileUtils; import com.google.android.apps.mytracks.util.SystemUtils; import android.content.Context; import android.location.Location; import android.os.Build; import java.io.OutputStream; import java.io.PrintWriter; import java.nio.charset.Charset; import java.util.Date; import java.util.Locale; /** * Write out a a track in the Garmin training center database, tcx format. * As defined by: * http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2 * * The TCX file written by this class has been verified as compatible with * Garmin Training Center 3.5.3. * * @author Sandor Dornbush * @author Dominik Ršttsches */ public class TcxTrackWriter implements TrackFormatWriter { // These are the only sports allowed by the TCX v2 specification for fields // of type Sport_t. private static final String TCX_SPORT_BIKING = "Biking"; private static final String TCX_SPORT_RUNNING = "Running"; private static final String TCX_SPORT_OTHER = "Other"; // Values for fields of type Build_t/Type. private static final String TCX_TYPE_RELEASE = "Release"; private static final String TCX_TYPE_INTERNAL = "Internal"; private final Context context; private PrintWriter pw = null; private Track track; // Determines whether to encode cadence value as running or cycling cadence. private boolean sportIsCycling; public TcxTrackWriter(Context context) { this.context = context; } @SuppressWarnings("hiding") @Override public void prepare(Track track, OutputStream out) { this.track = track; this.pw = new PrintWriter(out); this.sportIsCycling = categoryToTcxSport(track.getCategory()).equals(TCX_SPORT_BIKING); } @Override public void close() { if (pw != null) { pw.close(); pw = null; } } @Override public String getExtension() { return TrackFileFormat.TCX.getExtension(); } @Override public void writeHeader() { if (pw == null) { return; } pw.format("<?xml version=\"1.0\" encoding=\"%s\" standalone=\"no\" ?>\n", Charset.defaultCharset().name()); pw.print("<TrainingCenterDatabase "); pw.print("xmlns=\"http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2\" "); pw.print("xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" "); pw.print("xsi:schemaLocation=\"http://www.garmin.com/xmlschemas/TrainingCenterDatabase/v2 "); pw.println("http://www.garmin.com/xmlschemas/TrainingCenterDatabasev2.xsd\">"); pw.println(); } @Override public void writeBeginTrack(Location firstPoint) { if (pw == null) { return; } String startTime = FileUtils.FILE_TIMESTAMP_FORMAT.format(track.getStatistics().getStartTime()); pw.println(" <Activities>"); pw.format(" <Activity Sport=\"%s\">\n", categoryToTcxSport(track.getCategory())); pw.format(" <Id>%s</Id>\n", startTime); pw.format(" <Lap StartTime=\"%s\">\n", startTime); pw.print(" <TotalTimeSeconds>"); pw.print(track.getStatistics().getTotalTime() / 1000); pw.println("</TotalTimeSeconds>"); pw.print(" <DistanceMeters>"); pw.print(track.getStatistics().getTotalDistance()); pw.println("</DistanceMeters>"); // TODO max speed etc. // Calories are a required element just put in 0. pw.print("<Calories>0</Calories>"); pw.println("<Intensity>Active</Intensity>"); pw.println("<TriggerMethod>Manual</TriggerMethod>"); } @Override public void writeOpenSegment() { if (pw != null) { pw.println(" <Track>"); } } @Override public void writeLocation(Location location) { if (pw == null) { return; } pw.println(" <Trackpoint>"); Date d = new Date(location.getTime()); pw.println(" <Time>" + FileUtils.FILE_TIMESTAMP_FORMAT.format(d) + "</Time>"); pw.println(" <Position>"); pw.print(" <LatitudeDegrees>"); pw.print(location.getLatitude()); pw.println("</LatitudeDegrees>"); pw.print(" <LongitudeDegrees>"); pw.print(location.getLongitude()); pw.println("</LongitudeDegrees>"); pw.println(" </Position>"); pw.print(" <AltitudeMeters>"); pw.print(location.getAltitude()); pw.println("</AltitudeMeters>"); if (location instanceof MyTracksLocation) { SensorDataSet sensorData = ((MyTracksLocation) location).getSensorDataSet(); if (sensorData != null) { if (sensorData.hasHeartRate() && sensorData.getHeartRate().getState() == Sensor.SensorState.SENDING && sensorData.getHeartRate().hasValue()) { pw.print(" <HeartRateBpm>"); pw.print("<Value>"); pw.print(sensorData.getHeartRate().getValue()); pw.print("</Value>"); pw.println("</HeartRateBpm>"); } boolean cadenceAvailable = sensorData.hasCadence() && sensorData.getCadence().getState() == Sensor.SensorState.SENDING && sensorData.getCadence().hasValue(); // TCX Trackpoint_t contains a sequence. Thus, the legacy XML element // <Cadence> needs to be put before <Extensions>. // This field should only be used for the case that activity was marked as biking. // Otherwise cadence is interpreted as running cadence data which // is written in the <Extensions> as <RunCadence>. if (sportIsCycling && cadenceAvailable) { pw.print(" <Cadence>"); pw.print(Math.min(254, sensorData.getCadence().getValue())); pw.println("</Cadence>"); } boolean powerAvailable = sensorData.hasPower() && sensorData.getPower().getState() == Sensor.SensorState.SENDING && sensorData.getPower().hasValue(); if(powerAvailable || (!sportIsCycling && cadenceAvailable)) { pw.print(" <Extensions>"); pw.print("<TPX xmlns=\"http://www.garmin.com/xmlschemas/ActivityExtension/v2\">"); // RunCadence needs to be put before power in order to be understood // by Garmin Training Center. if (!sportIsCycling && cadenceAvailable) { pw.print("<RunCadence>"); pw.print(Math.min(254, sensorData.getCadence().getValue())); pw.print("</RunCadence>"); } if (powerAvailable) { pw.print("<Watts>"); pw.print(sensorData.getPower().getValue()); pw.print("</Watts>"); } pw.println("</TPX></Extensions>"); } } } pw.println(" </Trackpoint>"); } @Override public void writeCloseSegment() { if (pw != null) { pw.println(" </Track>"); } } @Override public void writeEndTrack(Location lastPoint) { if (pw == null) { return; } pw.println(" </Lap>"); pw.print(" <Creator xsi:type=\"Device_t\">"); pw.format("<Name>My Tracks running on %s</Name>\n", Build.MODEL); // The following code is correct. ID is inconsistently capitalized in the // TCX schema. pw.println("<UnitId>0</UnitId>"); pw.println("<ProductID>0</ProductID>"); writeVersion(); pw.println("</Creator>"); pw.println(" </Activity>"); pw.println(" </Activities>"); } @Override public void writeFooter() { if (pw == null) { return; } pw.println(" <Author xsi:type=\"Application_t\">"); // We put the version in the name because there isn't a better place for // it. The TCX schema tightly defined the Version tag, so we can't put it // there. They've similarly constrained the PartNumber tag, so it can't go // there either. pw.format("<Name>My Tracks %s by Google</Name>\n", SystemUtils.getMyTracksVersion(context)); pw.println("<Build>"); writeVersion(); pw.format("<Type>%s</Type>\n", SystemUtils.isRelease(context) ? TCX_TYPE_RELEASE : TCX_TYPE_INTERNAL); pw.println("</Build>"); pw.format("<LangID>%s</LangID>\n", Locale.getDefault().getLanguage()); pw.println("<PartNumber>000-00000-00</PartNumber>"); pw.println("</Author>"); pw.println("</TrainingCenterDatabase>"); } @Override public void writeWaypoint(Waypoint waypoint) { // TODO Write out the waypoints somewhere. } private void writeVersion() { if (pw == null) { return; } // Splitting the myTracks version code into VersionMajor, VersionMinor and BuildMajor // to fit the integer type requirement for these fields in the TCX spec. // Putting a string like "x.x.x" into VersionMajor breaks XML validation. // We also set the BuildMinor version to 1 if this is a development build to // signify that this build is newer than the one associated with the // version code given in BuildMajor. String[] myTracksVersionComponents = SystemUtils.getMyTracksVersion(context).split("\\."); pw.println("<Version>"); pw.format("<VersionMajor>%d</VersionMajor>\n", Integer.valueOf(myTracksVersionComponents[0])); pw.format("<VersionMinor>%d</VersionMinor>\n", Integer.valueOf(myTracksVersionComponents[1])); // TCX schema says these are optional but http://connect.garmin.com only accepts // the TCX file when they are present. pw.format("<BuildMajor>%d</BuildMajor>\n", Integer.valueOf(myTracksVersionComponents[2])); pw.format("<BuildMinor>%d</BuildMinor>\n", SystemUtils.isRelease(context) ? 0 : 1); pw.println("</Version>"); } private String categoryToTcxSport(String category) { category = category.trim(); if (category.equalsIgnoreCase(TCX_SPORT_RUNNING)) { return TCX_SPORT_RUNNING; } else if (category.equalsIgnoreCase(TCX_SPORT_BIKING)) { return TCX_SPORT_BIKING; } else { return TCX_SPORT_OTHER; } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TcxTrackWriter.java
Java
asf20
10,935
/* * 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.parseXmlDateTime(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(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/GpxImporter.java
Java
asf20
16,397
/* * 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.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 { GPX { @Override TrackFormatWriter newFormatWriter(Context context) { return new GpxTrackWriter(); } }, KML { @Override TrackFormatWriter newFormatWriter(Context context) { return new KmlTrackWriter(context); } }, CSV { @Override public TrackFormatWriter newFormatWriter(Context context) { return new CsvTrackWriter(); } }, TCX { @Override public TrackFormatWriter newFormatWriter(Context context) { return new TcxTrackWriter(context); } }; /** * 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() { } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackWriterFactory.java
Java
asf20
3,557
/* * 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 completion of track write */ public interface OnCompletionListener { public void onComplete(); } /** 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 listener to be invoked when the writer has finished. */ void setOnCompletionListener(OnCompletionListener onCompletionListener); /** * 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 non-blocking. */ void writeTrackAsync(); /** * 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(); }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackWriter.java
Java
asf20
2,549
/* * 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 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.TracksColumns; import com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.FileUtils; import com.google.android.apps.mytracks.util.UriUtils; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.app.AlertDialog; import android.app.Dialog; import android.content.ContentUris; import android.content.Context; import android.content.DialogInterface; import android.content.DialogInterface.OnCancelListener; import android.content.DialogInterface.OnClickListener; 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 a file (and optionally sending that file). * * @author Rodrigo Damazio */ public class SaveActivity extends Activity { public static final String EXTRA_SHARE_FILE = "share_file"; public static final String EXTRA_FILE_FORMAT = "file_format"; private static final int RESULT_DIALOG = 1; /* VisibleForTesting */ static final int PROGRESS_DIALOG = 2; private MyTracksProviderUtils providerUtils; private long trackId; private TrackWriter writer; private boolean shareFile; private TrackFileFormat format; private WriteProgressController controller; @Override protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); providerUtils = MyTracksProviderUtils.Factory.get(this); } @Override protected void onStart() { super.onStart(); Intent intent = getIntent(); String action = intent.getAction(); String type = intent.getType(); Uri data = intent.getData(); if (!getString(R.string.track_action_save).equals(action) || !TracksColumns.CONTENT_ITEMTYPE.equals(type) || !UriUtils.matchesContentUri(data, TracksColumns.CONTENT_URI)) { Log.e(TAG, "Got bad save intent: " + intent); finish(); return; } trackId = ContentUris.parseId(data); int formatIdx = intent.getIntExtra(EXTRA_FILE_FORMAT, -1); format = TrackFileFormat.values()[formatIdx]; shareFile = intent.getBooleanExtra(EXTRA_SHARE_FILE, false); writer = TrackWriterFactory.newWriter(this, providerUtils, trackId, format); if (writer == null) { Log.e(TAG, "Unable to build writer"); finish(); return; } if (shareFile) { // If the file is for sending, save it to a temporary location instead. FileUtils fileUtils = new FileUtils(); String extension = format.getExtension(); String dirName = fileUtils.buildExternalDirectoryPath(extension, "tmp"); File dir = new File(dirName); writer.setDirectory(dir); } controller = new WriteProgressController(this, writer, PROGRESS_DIALOG); controller.setOnCompletionListener(new WriteProgressController.OnCompletionListener() { @Override public void onComplete() { onWriteComplete(); } }); controller.startWrite(); } private void onWriteComplete() { if (shareFile) { shareWrittenFile(); } else { showResultDialog(); } } private void shareWrittenFile() { if (!writer.wasSuccess()) { showResultDialog(); return; } // Share the file. Intent shareIntent = new Intent(Intent.ACTION_SEND); shareIntent.putExtra(Intent.EXTRA_SUBJECT, getResources().getText(R.string.share_track_subject).toString()); shareIntent.putExtra(Intent.EXTRA_TEXT, getResources().getText(R.string.share_track_file_body_format) .toString()); shareIntent.setType(format.getMimeType()); Uri u = Uri.fromFile(new File(writer.getAbsolutePath())); shareIntent.putExtra(Intent.EXTRA_STREAM, u); shareIntent.putExtra(getString(R.string.track_id_broadcast_extra), trackId); startActivity(Intent.createChooser(shareIntent, getResources().getText(R.string.share_track_picker_title).toString())); } private void showResultDialog() { removeDialog(RESULT_DIALOG); showDialog(RESULT_DIALOG); } @Override protected Dialog onCreateDialog(int id) { switch (id) { case RESULT_DIALOG: return createResultDialog(); case PROGRESS_DIALOG: if (controller != null) { return controller.createProgressDialog(); } //$FALL-THROUGH$ default: return super.onCreateDialog(id); } } private Dialog createResultDialog() { boolean success = writer.wasSuccess(); AlertDialog.Builder builder = new AlertDialog.Builder(this); builder.setMessage(writer.getErrorMessage()); builder.setPositiveButton(R.string.generic_ok, new OnClickListener() { @Override public void onClick(DialogInterface dialog, int arg1) { dialog.dismiss(); finish(); } }); builder.setOnCancelListener(new OnCancelListener() { @Override public void onCancel(DialogInterface dialog) { dialog.dismiss(); finish(); } }); builder.setIcon(success ? android.R.drawable.ic_dialog_info : android.R.drawable.ic_dialog_alert); builder.setTitle(success ? R.string.generic_success_title : R.string.generic_error_title); return builder.create(); } public static void handleExportTrackAction(Context ctx, long trackId, int actionCode) { if (trackId < 0) { return; } TrackFileFormat exportFormat = null; switch (actionCode) { case Constants.SAVE_GPX_FILE: case Constants.SHARE_GPX_FILE: exportFormat = TrackFileFormat.GPX; break; case Constants.SAVE_KML_FILE: case Constants.SHARE_KML_FILE: exportFormat = TrackFileFormat.KML; break; case Constants.SAVE_CSV_FILE: case Constants.SHARE_CSV_FILE: exportFormat = TrackFileFormat.CSV; break; case Constants.SAVE_TCX_FILE: case Constants.SHARE_TCX_FILE: exportFormat = TrackFileFormat.TCX; break; default: throw new IllegalArgumentException("Warning unhandled action code: " + actionCode); } boolean shareFile = false; switch (actionCode) { case Constants.SHARE_GPX_FILE: case Constants.SHARE_KML_FILE: case Constants.SHARE_CSV_FILE: case Constants.SHARE_TCX_FILE: shareFile = true; } Uri uri = ContentUris.withAppendedId(TracksColumns.CONTENT_URI, trackId); Intent intent = new Intent(ctx, SaveActivity.class); intent.setAction(ctx.getString(R.string.track_action_save)); intent.setDataAndType(uri, TracksColumns.CONTENT_ITEMTYPE); intent.putExtra(EXTRA_FILE_FORMAT, exportFormat.ordinal()); intent.putExtra(EXTRA_SHARE_FILE, shareFile); ctx.startActivity(intent); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/SaveActivity.java
Java
asf20
7,643
/* * 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 static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.ImportAllTracks; import com.google.android.apps.mytracks.util.UriUtils; import android.app.Activity; import android.content.Intent; import android.net.Uri; import android.util.Log; /** * An activity that imports a track from a file and displays the track in My Tracks. * * @author Rodrigo Damazio */ public class ImportActivity extends Activity { @Override public void onStart() { super.onStart(); Intent intent = getIntent(); String action = intent.getAction(); Uri data = intent.getData(); if (!(Intent.ACTION_VIEW.equals(action) || Intent.ACTION_ATTACH_DATA.equals(action))) { Log.e(TAG, "Received an intent with unsupported action: " + intent); finish(); return; } if (!UriUtils.isFileUri(data)) { Log.e(TAG, "Received an intent with unsupported data: " + intent); finish(); return; } String path = data.getPath(); Log.i(TAG, "Importing GPX file at " + path); new ImportAllTracks(this, path); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/ImportActivity.java
Java
asf20
1,750
/* * 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 com.google.android.apps.mytracks.io.file.TrackWriterFactory.TrackFileFormat; import com.google.android.apps.mytracks.util.FileUtils; import android.location.Location; import java.io.OutputStream; import java.io.PrintWriter; import java.text.NumberFormat; import java.util.Date; /** * Exports a track as a CSV file, according to RFC 4180. * * The first field is a type: * TRACK - track description * P - point * WAYPOINT - waypoint * * For each type, the fields are: * * TRACK,,,,,,,,name,description, * P,time,lat,lon,alt,bearing,accurancy,speed,,,segmentIdx * WAYPOINT,time,lat,lon,alt,bearing,accuracy,speed,name,description, * * @author Rodrigo Damazio */ public class CsvTrackWriter implements TrackFormatWriter { private static final NumberFormat SHORT_FORMAT = NumberFormat.getInstance(); static { SHORT_FORMAT.setMaximumFractionDigits(4); } private int segmentIdx = 0; private int numFields = -1; private PrintWriter pw; private Track track; @Override public String getExtension() { return TrackFileFormat.CSV.getExtension(); } @SuppressWarnings("hiding") @Override public void prepare(Track track, OutputStream out) { this.track = track; this.pw = new PrintWriter(out); } @Override public void writeHeader() { writeCommaSeparatedLine("TYPE", "TIME", "LAT", "LON", "ALT", "BEARING", "ACCURACY", "SPEED", "NAME", "DESCRIPTION", "SEGMENT"); } @Override public void writeBeginTrack(Location firstPoint) { writeCommaSeparatedLine("TRACK", null, null, null, null, null, null, null, track.getName(), track.getDescription(), null); } @Override public void writeOpenSegment() { // Do nothing } @Override public void writeLocation(Location location) { String timeStr = FileUtils.FILE_TIMESTAMP_FORMAT.format(new Date(location.getTime())); writeCommaSeparatedLine("P", timeStr, 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()), null, null, Integer.toString(segmentIdx)); } @Override public void writeWaypoint(Waypoint waypoint) { Location location = waypoint.getLocation(); String timeStr = FileUtils.FILE_TIMESTAMP_FORMAT.format(new Date(location.getTime())); writeCommaSeparatedLine("WAYPOINT", timeStr, 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()), waypoint.getName(), waypoint.getDescription(), null); } /** * Writes a single line of a comma-separated-value file. * * @param strs the values to be written as comma-separated */ private void writeCommaSeparatedLine(String... strs) { if (numFields == -1) { numFields = strs.length; } else if (strs.length != numFields) { throw new IllegalArgumentException( "CSV lines with different number of fields"); } boolean isFirst = true; for (String str : strs) { if (!isFirst) { pw.print(','); } isFirst = false; if (str != null) { pw.print('"'); pw.print(str.replaceAll("\"", "\"\"")); pw.print('"'); } } pw.println(); } @Override public void writeCloseSegment() { segmentIdx++; } @Override public void writeEndTrack(Location lastPoint) { // Do nothing } @Override public void writeFooter() { // Do nothing } @Override public void close() { pw.close(); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/CsvTrackWriter.java
Java
asf20
4,662
/* * 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 final FileUtils fileUtils; private boolean success = false; private int errorMessage = -1; private File directory = null; private File file = null; private OnCompletionListener onCompletionListener; 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; this.fileUtils = new FileUtils(); } @Override public void setOnCompletionListener(OnCompletionListener onCompletionListener) { this.onCompletionListener = onCompletionListener; } @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(); } @Override public 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; } } } finished(); } 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: * =============== */ private void finished() { if (onCompletionListener != null) { runOnUiThread(new Runnable() { @Override public void run() { onCompletionListener.onComplete(); } }); return; } } /** * 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); 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()) { Waypoint wpt = providerUtils.createWaypoint(cursor); writer.writeWaypoint(wpt); } } } finally { cursor.close(); } } } /** * 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(); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackWriterImpl.java
Java
asf20
11,289
/* * 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 data to a specific track file format. * * The expected sequence of calls is: * <ol> * <li>{@link #prepare} * <li>{@link #writeHeader} * <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>For each waypoint: {@link #writeWaypoint} * <li>{@link #writeFooter} * </ol> * * @author Rodrigo Damazio */ public interface TrackFormatWriter { /** * Sets up the writer to write the given track to the given output. * * @param track the track to write * @param out the stream to write the track contents to */ void prepare(Track track, OutputStream out); /** * @return The file extension (i.e. gpx, kml, ...) */ String getExtension(); /** * Writes the header. * This is chance for classes to write out opening information. */ void writeHeader(); /** * Writes the footer. * This is chance for classes to write out closing information. */ void writeFooter(); /** * Write the given location object. * * TODO Add some flexible handling of other sensor data. * * @param location the location to write */ void writeLocation(Location location) throws InterruptedException; /** * Write a way point. * * @param waypoint */ void writeWaypoint(Waypoint waypoint); /** * Write the beginning of a track. */ void writeBeginTrack(Location firstPoint); /** * Write the end of a track. */ void writeEndTrack(Location lastPoint); /** * Write the statements necessary to open a new segment. */ void writeOpenSegment(); /** * Write the statements necessary to close a segment. */ void writeCloseSegment(); /** * Close the underlying file handle. */ void close(); }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TrackFormatWriter.java
Java
asf20
2,765
/* * 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 android.content.Context; import android.location.Location; import android.os.Build; import java.io.OutputStream; import java.io.PrintWriter; import java.util.Vector; /** * Write track as KML to a file. * * @author Leif Hendrik Wilden */ public class KmlTrackWriter implements TrackFormatWriter { private final Vector<Double> distances = new Vector<Double>(); private final Vector<Double> elevations = new Vector<Double>(); private final StringUtils stringUtils; private PrintWriter pw = null; private Track track; public KmlTrackWriter(Context context) { stringUtils = new StringUtils(context); } /** * Testing constructor. */ KmlTrackWriter(StringUtils stringUtils) { this.stringUtils = stringUtils; } @SuppressWarnings("hiding") @Override public void prepare(Track track, OutputStream out) { this.track = track; this.pw = new PrintWriter(out); } @Override public String getExtension() { return TrackFileFormat.KML.getExtension(); } @Override public void writeHeader() { if (pw != null) { pw.println("<?xml version=\"1.0\" encoding=\"UTF-8\"?>"); pw.print("<kml"); pw.print(" xmlns=\"http://earth.google.com/kml/2.0\""); pw.println(" xmlns:atom=\"http://www.w3.org/2005/Atom\">"); pw.println("<Document>"); pw.format("<atom:author><atom:name>My Tracks running on %s" + "</atom:name></atom:author>\n", Build.MODEL); pw.println("<name>" + StringUtils.stringAsCData(track.getName()) + "</name>"); pw.println("<description>" + StringUtils.stringAsCData(track.getDescription()) + "</description>"); writeStyles(); } } @Override public void writeFooter() { if (pw != null) { pw.println("</Document>"); pw.println("</kml>"); } } @Override public void writeBeginTrack(Location firstPoint) { if (pw != null) { writePlacemark("(Start)", track.getDescription(), "#sh_green-circle", firstPoint); pw.println("<Placemark>"); pw.println("<name>" + StringUtils.stringAsCData(track.getName()) + "</name>"); pw.println("<description>" + StringUtils.stringAsCData(track.getDescription()) + "</description>"); pw.println("<styleUrl>#track</styleUrl>"); pw.println("<MultiGeometry>"); } } @Override public void writeEndTrack(Location lastPoint) { if (pw != null) { pw.println("</MultiGeometry>"); pw.println("</Placemark>"); String description = stringUtils.generateTrackDescription( track, distances, elevations); writePlacemark("(End)", description, "#sh_red-circle", lastPoint); } } @Override public void writeOpenSegment() { if (pw != null) { pw.print("<LineString><coordinates>"); } } @Override public void writeCloseSegment() { if (pw != null) { pw.println("</coordinates></LineString>"); } } @Override public void writeLocation(Location l) { if (pw != null) { pw.print(l.getLongitude() + "," + l.getLatitude() + "," + l.getAltitude() + " "); } } private String getPinStyle(Waypoint waypoint) { if (waypoint.getType() == Waypoint.TYPE_STATISTICS) { return "#sh_ylw-pushpin"; } // Try to find the icon color. // The string should be of the form: // "http://maps.google.com/mapfiles/ms/micons/XXX.png" int slash = waypoint.getIcon().lastIndexOf('/'); int png = waypoint.getIcon().lastIndexOf('.'); if ((slash != -1) && (slash < png)) { String color = waypoint.getIcon().substring(slash + 1, png); return "#sh_" + color + "-pushpin"; } return "#sh_blue-pushpin"; } @Override public void writeWaypoint(Waypoint waypoint) { if (pw != null) { writePlacemark( waypoint.getName(), waypoint.getDescription(), getPinStyle(waypoint), waypoint.getLocation()); } } @Override public void close() { if (pw != null) { pw.close(); pw = null; } } private void writeStyles() { pw.println("<Style id=\"track\"><LineStyle><color>7f0000ff</color>" + "<width>4</width></LineStyle></Style>"); pw.print("<Style id=\"sh_green-circle\"><IconStyle><scale>1.3</scale>"); pw.print("<Icon><href>http://maps.google.com/mapfiles/kml/paddle/" + "grn-circle.png</href></Icon>"); pw.println("<hotSpot x=\"32\" y=\"1\" xunits=\"pixels\" yunits=\"pixels\"/>" + "</IconStyle></Style>"); pw.print("<Style id=\"sh_red-circle\"><IconStyle><scale>1.3</scale>"); pw.print("<Icon><href>http://maps.google.com/mapfiles/kml/paddle/" + "red-circle.png</href></Icon>"); pw.println("<hotSpot x=\"32\" y=\"1\" xunits=\"pixels\" yunits=\"pixels\"/>" + "</IconStyle></Style>"); pw.print("<Style id=\"sh_ylw-pushpin\"><IconStyle><scale>1.3</scale>"); pw.print("<Icon><href>http://maps.google.com/mapfiles/kml/pushpin/" + "ylw-pushpin.png</href></Icon>"); pw.println("<hotSpot x=\"20\" y=\"2\" xunits=\"pixels\" yunits=\"pixels\"/>" + "</IconStyle></Style>"); pw.print("<Style id=\"sh_blue-pushpin\"><IconStyle><scale>1.3</scale>"); pw.print("<Icon><href>http://maps.google.com/mapfiles/kml/pushpin/" + "blue-pushpin.png</href></Icon>"); pw.println("<hotSpot x=\"20\" y=\"2\" xunits=\"pixels\" yunits=\"pixels\"/>" + "</IconStyle></Style>"); pw.print("<Style id=\"sh_green-pushpin\"><IconStyle><scale>1.3</scale>"); pw.print("<Icon><href>http://maps.google.com/mapfiles/kml/pushpin/" + "grn-pushpin.png</href></Icon>"); pw.println("<hotSpot x=\"20\" y=\"2\" xunits=\"pixels\" yunits=\"pixels\"/>" + "</IconStyle></Style>"); pw.print("<Style id=\"sh_red-pushpin\"><IconStyle><scale>1.3</scale>"); pw.print("<Icon><href>http://maps.google.com/mapfiles/kml/pushpin/" + "red-pushpin.png</href></Icon>"); pw.println("<hotSpot x=\"20\" y=\"2\" xunits=\"pixels\" yunits=\"pixels\"/>" + "</IconStyle></Style>"); } private void writePlacemark(String name, String description, String style, Location location) { if (location != null) { pw.println("<Placemark>"); pw.println(" <name>" + StringUtils.stringAsCData(name) + "</name>"); pw.println(" <description>" + StringUtils.stringAsCData(description) + "</description>"); pw.println(" <styleUrl>" + style + "</styleUrl>"); pw.println(" <Point>"); pw.println(" <coordinates>" + location.getLongitude() + "," + location.getLatitude() + "</coordinates>"); pw.println(" </Point>"); pw.println("</Placemark>"); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/KmlTrackWriter.java
Java
asf20
7,647
/* * 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.maps.mytracks.R; import android.app.Activity; import android.app.ProgressDialog; import android.content.DialogInterface; /** * Given a {@link TrackWriter}, this class manages the process of writing the * data in the track represented by the writer. This includes the display of * a progress dialog, updating the progress bar in said dialog, and notifying * interested parties when the write completes. * * @author Matthew Simmons */ class WriteProgressController { /** * This listener is used to notify interested parties when the write has * completed. */ public interface OnCompletionListener { /** * When this method is invoked, the write has completed, and the progress * dialog has been dismissed. Whether the write succeeded can be * determined by examining the {@link TrackWriter}. */ public void onComplete(); } private final Activity activity; private final TrackWriter writer; private ProgressDialog dialog; private OnCompletionListener onCompletionListener; private final int progressDialogId; /** * @param activity the activity associated with this write * @param writer the writer which writes the track to disk. Note that this * class will use the writer's completion listener. If callers are * interested in notification upon completion of the write, they should * use {@link #setOnCompletionListener}. */ public WriteProgressController(Activity activity, TrackWriter writer, int progressDialogId) { this.activity = activity; this.writer = writer; this.progressDialogId = progressDialogId; writer.setOnCompletionListener(writerCompleteListener); writer.setOnWriteListener(writerWriteListener); } /** Set a listener to be invoked when the write completes. */ public void setOnCompletionListener(OnCompletionListener onCompletionListener) { this.onCompletionListener = onCompletionListener; } // For testing purpose OnCompletionListener getOnCompletionListener() { return onCompletionListener; } public ProgressDialog createProgressDialog() { dialog = new ProgressDialog(activity); dialog.setIcon(android.R.drawable.ic_dialog_info); dialog.setTitle(activity.getString(R.string.generic_progress_title)); dialog.setProgressStyle(ProgressDialog.STYLE_HORIZONTAL); dialog.setMessage(activity.getString(R.string.sd_card_progress_write_file)); dialog.setIndeterminate(true); dialog.setOnCancelListener(dialogCancelListener); return dialog; } /** Initiate an asynchronous write. */ public void startWrite() { activity.showDialog(progressDialogId); writer.writeTrackAsync(); } /** VisibleForTesting */ ProgressDialog getDialog() { return dialog; } private final DialogInterface.OnCancelListener dialogCancelListener = new DialogInterface.OnCancelListener() { @Override public void onCancel(DialogInterface dialogInterface) { writer.stopWriteTrack(); } }; private final TrackWriter.OnCompletionListener writerCompleteListener = new TrackWriter.OnCompletionListener() { @Override public void onComplete() { activity.dismissDialog(progressDialogId); if (onCompletionListener != null) { onCompletionListener.onComplete(); } } }; private final TrackWriter.OnWriteListener writerWriteListener = new TrackWriter.OnWriteListener() { @Override public void onWrite(int number, int max) { if (number % 500 == 0) { dialog.setIndeterminate(false); dialog.setMax(max); dialog.setProgress(Math.min(number, max)); } } }; }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/WriteProgressController.java
Java
asf20
4,407
/* * 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.util.FileUtils; import android.os.Environment; import android.util.Log; import java.io.File; /** * A class to clean up old temporary files. * @author Sandor Dornbush */ public class TempFileCleaner { private long currentTimeMillis; public static void clean() { (new TempFileCleaner(System.currentTimeMillis())).cleanImpl(); } // @VisibleForTesting TempFileCleaner(long time) { currentTimeMillis = time; } private void cleanImpl() { if (!Environment.getExternalStorageState().equals( Environment.MEDIA_MOUNTED)) { return; // Can't do anything now. } cleanTmpDirectory("csv"); cleanTmpDirectory("gpx"); cleanTmpDirectory("kml"); cleanTmpDirectory("tcx"); } private void cleanTmpDirectory(String name) { FileUtils fileUtils = new FileUtils(); String dirName = fileUtils.buildExternalDirectoryPath(name, "tmp"); cleanTmpDirectory(new File(dirName)); } // @VisibleForTesting int cleanTmpDirectory(File dir) { if (!dir.exists()) { return 0; } int count = 0; long oldest = currentTimeMillis - 1000 * 3600; for (File f : dir.listFiles()) { if (f.lastModified() < oldest) { if (!f.delete()) { Log.w(TAG, "Failed to delete file " + f.getAbsolutePath()); } count++; } } return count; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/TempFileCleaner.java
Java
asf20
2,099
/* * 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.FileUtils; import com.google.android.apps.mytracks.util.StringUtils; import android.location.Location; import android.os.Build; import java.io.OutputStream; import java.io.PrintWriter; import java.nio.charset.Charset; import java.text.NumberFormat; import java.util.Date; import java.util.Locale; /** * Log of one track. * * @author Sandor Dornbush */ public class GpxTrackWriter implements TrackFormatWriter { private final NumberFormat elevationFormatter; private final NumberFormat coordinateFormatter; private PrintWriter pw = null; private Track track; public GpxTrackWriter() { // GPX readers expect to see fractional numbers with US-style punctuation. // That is, they want periods for decimal points, rather than commas. elevationFormatter = NumberFormat.getInstance(Locale.US); elevationFormatter.setMaximumFractionDigits(1); elevationFormatter.setGroupingUsed(false); coordinateFormatter = NumberFormat.getInstance(Locale.US); coordinateFormatter.setMaximumFractionDigits(5); coordinateFormatter.setMaximumIntegerDigits(3); coordinateFormatter.setGroupingUsed(false); } private String formatLocation(Location l) { return "lat=\"" + coordinateFormatter.format(l.getLatitude()) + "\" lon=\"" + coordinateFormatter.format(l.getLongitude()) + "\""; } @SuppressWarnings("hiding") @Override public void prepare(Track track, OutputStream out) { this.track = track; this.pw = new PrintWriter(out); } @Override public String getExtension() { return TrackFileFormat.GPX.getExtension(); } @Override public void writeHeader() { if (pw != null) { pw.format("<?xml version=\"1.0\" encoding=\"%s\" standalone=\"yes\"?>\n", Charset.defaultCharset().name()); pw.println("<?xml-stylesheet type=\"text/xsl\" href=\"details.xsl\"?>"); pw.println("<gpx"); pw.println(" version=\"1.1\""); pw.format(" creator=\"My Tracks running on %s\"\n", Build.MODEL); pw.println(" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\""); pw.println(" xmlns=\"http://www.topografix.com/GPX/1/1\""); pw.print(" xmlns:topografix=\"http://www.topografix.com/GPX/Private/" + "TopoGrafix/0/1\""); pw.print(" xsi:schemaLocation=\"http://www.topografix.com/GPX/1/1 "); pw.print("http://www.topografix.com/GPX/1/1/gpx.xsd "); pw.print("http://www.topografix.com/GPX/Private/TopoGrafix/0/1 "); pw.println("http://www.topografix.com/GPX/Private/TopoGrafix/0/1/" + "topografix.xsd\">"); // TODO: Author etc. } } @Override public void writeFooter() { if (pw != null) { pw.println("</gpx>"); } } @Override public void writeBeginTrack(Location firstPoint) { if (pw != null) { pw.println("<trk>"); pw.println("<name>" + StringUtils.stringAsCData(track.getName()) + "</name>"); pw.println("<desc>" + StringUtils.stringAsCData(track.getDescription()) + "</desc>"); pw.println("<number>" + track.getId() + "</number>"); pw.println("<extensions><topografix:color>c0c0c0</topografix:color></extensions>"); } } @Override public void writeEndTrack(Location lastPoint) { if (pw != null) { pw.println("</trk>"); } } @Override public void writeOpenSegment() { pw.println("<trkseg>"); } @Override public void writeCloseSegment() { pw.println("</trkseg>"); } @Override public void writeLocation(Location l) { if (pw != null) { pw.println("<trkpt " + formatLocation(l) + ">"); Date d = new Date(l.getTime()); pw.println("<ele>" + elevationFormatter.format(l.getAltitude()) + "</ele>"); pw.println("<time>" + FileUtils.FILE_TIMESTAMP_FORMAT.format(d) + "</time>"); pw.println("</trkpt>"); } } @Override public void close() { if (pw != null) { pw.close(); pw = null; } } @Override public void writeWaypoint(Waypoint waypoint) { if (pw != null) { Location l = waypoint.getLocation(); if (l != null) { pw.println("<wpt " + formatLocation(l) + ">"); pw.println("<ele>" + elevationFormatter.format(l.getAltitude()) + "</ele>"); pw.println("<time>" + FileUtils.FILE_TIMESTAMP_FORMAT.format(l.getTime()) + "</time>"); pw.println("<name>" + StringUtils.stringAsCData(waypoint.getName()) + "</name>"); pw.println("<desc>" + StringUtils.stringAsCData(waypoint.getDescription()) + "</desc>"); pw.println("</wpt>"); } } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/file/GpxTrackWriter.java
Java
asf20
5,472
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; import com.google.wireless.gdata.data.Entry; import java.util.HashMap; import java.util.Map; /** * GData entry for a map feature. */ 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MapFeatureEntry.java
Java
asf20
774
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; import com.google.wireless.gdata.data.Entry; import com.google.wireless.gdata.data.StringUtils; import android.graphics.Color; import android.util.Log; import org.xmlpull.v1.XmlPullParserException; import org.xmlpull.v1.XmlPullParserFactory; import org.xmlpull.v1.XmlSerializer; import java.io.IOException; import java.io.StringWriter; /** * Converter from GData objects to MyMaps objects. */ class MyMapsGDataConverter { private final XmlSerializer xmlSerializer; public MyMapsGDataConverter() throws XmlPullParserException { xmlSerializer = XmlPullParserFactory.newInstance().newSerializer(); } public static MyMapsMapMetadata getMapMetadataForEntry( MapFeatureEntry entry) { MyMapsMapMetadata metadata = new MyMapsMapMetadata(); if ("public".equals(entry.getPrivacy())) { metadata.setSearchable(true); } else { metadata.setSearchable(false); } metadata.setTitle(entry.getTitle()); String desc = entry.getContent(); if (desc.length() > 12) { metadata.setDescription(desc.substring(9, desc.length() - 3)); } 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(MyMapsMapMetadata metadata) { MapFeatureEntry entry = new MapFeatureEntry(); entry.setEditUri(metadata.getGDataEditUri()); entry.setTitle(metadata.getTitle()); entry.setContent(metadata.getDescription()); entry.setPrivacy(metadata.getSearchable() ? "public" : "unlisted"); entry.setAuthor("android"); entry.setEmail("nobody@google.com"); return entry; } public MapFeatureEntry getEntryForFeature(MyMapsFeature 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() == MyMapsFeature.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() == MyMapsFeature.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() == MyMapsFeature.MARKER) { xmlSerializer.startTag(null, "Point"); xmlSerializer.startTag(null, "coordinates"); xmlSerializer.text(pointString); xmlSerializer.endTag(null, "coordinates"); xmlSerializer.endTag(null, "Point"); } else if (feature.getType() == MyMapsFeature.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", "Generated kml:\n" + entry.getContent()); Log.d("My Google Maps", "Edit URI: " + entry.getEditUri()); } catch (IOException e) { e.printStackTrace(); } return entry; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MyMapsGDataConverter.java
Java
asf20
7,208
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; 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. */ 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") @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); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/XmlMapsGDataParserFactory.java
Java
asf20
2,921
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; 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(); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/XmlMapsGDataParser.java
Java
asf20
6,057
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; 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. */ 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 MyMapsConstants.SERVICE_NAME; } public static String buildMapUrl(String mapId) { return MyMapsConstants.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); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MapsClient.java
Java
asf20
3,468
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; /** * Constants for My Maps. */ public class MyMapsConstants { static final String TAG = "MapsApi"; 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 MyMapsConstants() { } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MyMapsConstants.java
Java
asf20
441
// Copyright 2011 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; import com.google.android.apps.mytracks.content.Waypoint; import com.google.android.apps.mytracks.io.AuthManager; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.maps.GeoPoint; import com.google.android.maps.mytracks.R; 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 android.content.Context; import android.location.Location; import android.text.TextUtils; import android.util.Log; import java.io.IOException; import java.util.Collection; import org.xmlpull.v1.XmlPullParserException; /** * Single interface which abstracts all access to the Google Maps service. * * @author Rodrigo Damazio */ public class MapsFacade { /** * Interface for receiving data back from getMapsList. * All calls to the interface will happen before getMapsList returns. */ public interface MapsListCallback { void onReceivedMapListing(String mapId, String title, String description, boolean isPublic); } private static final String END_ICON_URL = "http://maps.google.com/mapfiles/ms/micons/red-dot.png"; private static final String START_ICON_URL = "http://maps.google.com/mapfiles/ms/micons/green-dot.png"; private final Context context; private final MyMapsGDataWrapper wrapper; private final MyMapsGDataConverter gdataConverter; private final String authToken; public MapsFacade(Context context, AuthManager auth) { this.context = context; this.authToken = auth.getAuthToken(); wrapper = new MyMapsGDataWrapper(context, auth); wrapper.setRetryOnAuthFailure(true); try { gdataConverter = new MyMapsGDataConverter(); } catch (XmlPullParserException e) { throw new IllegalStateException("Unable to create maps data converter", e); } } public static String buildMapUrl(String mapId) { return MapsClient.buildMapUrl(mapId); } /** * Returns a list of all maps for the current user. * * @param callback callback to call for each map returned * @return true on success, false otherwise */ public boolean getMapsList(final MapsListCallback callback) { return wrapper.runQuery(new MyMapsGDataWrapper.QueryFunction() { @Override public void query(MapsClient client) throws IOException, Exception { GDataParser listParser = client.getParserForFeed( MapFeatureEntry.class, MapsClient.getMapsFeed(), authToken); listParser.init(); while (listParser.hasMoreData()) { MapFeatureEntry entry = (MapFeatureEntry) listParser.readNextEntry(null); MyMapsMapMetadata metadata = MyMapsGDataConverter.getMapMetadataForEntry(entry); String mapId = MyMapsGDataConverter.getMapidForEntry(entry); callback.onReceivedMapListing( mapId, metadata.getTitle(), metadata.getDescription(), metadata.getSearchable()); } listParser.close(); listParser = null; } }); } /** * Creates a new map for the current user. * * @param title title of the map * @param category category of the map * @param description description for the map * @param isPublic whether the map should be public * @param mapIdBuilder builder to append the map ID to * @return true on success, false otherwise */ public boolean createNewMap( final String title, final String category, final String description, final boolean isPublic, final StringBuilder mapIdBuilder) { if (mapIdBuilder.length() > 0) { throw new IllegalArgumentException("mapIdBuilder should be empty"); } return wrapper.runQuery(new MyMapsGDataWrapper.QueryFunction() { @Override public void query(MapsClient client) throws IOException, Exception { Log.d(MyMapsConstants.TAG, "Creating a new map."); String mapFeed = MapsClient.getMapsFeed(); Log.d(MyMapsConstants.TAG, "Map feed is " + mapFeed); MyMapsMapMetadata metaData = new MyMapsMapMetadata(); metaData.setTitle(title); metaData.setDescription(description + " - " + category + " - " + StringUtils.getCreatedByMyTracks(context, false)); metaData.setSearchable(isPublic); Entry entry = MyMapsGDataConverter.getMapEntryForMetadata(metaData); Log.d(MyMapsConstants.TAG, "Title: " + entry.getTitle()); Entry map = client.createEntry(mapFeed, authToken, entry); String mapId = MapsClient.getMapIdFromMapEntryId(map.getId()); mapIdBuilder.append(mapId); Log.d(MyMapsConstants.TAG, "New map id is: " + mapId); } }); } /** * Uploads a single start or end marker to the given map. * * @param mapId ID of the map to upload to * @param trackName name of the track being started/ended * @param trackDescription description of the track being started/ended * @param loc the location of the marker * @param isStart true to add a start marker, false to add an end marker * @return true on success, false otherwise */ public boolean uploadMarker(final String mapId, final String trackName, final String trackDescription, final Location loc, final boolean isStart) { return wrapper.runQuery(new MyMapsGDataWrapper.QueryFunction() { @Override public void query(MapsClient client) throws IOException, Exception { String featureFeed = MapsClient.getFeaturesFeed(mapId); GeoPoint geoPoint = getGeoPoint(loc); insertMarker(client, featureFeed, trackName, trackDescription, geoPoint, isStart); } }); } /** * Inserts a place mark. Second try if 1st try fails. Will throw exception on * 2nd failure. */ private void insertMarker(MapsClient client, String featureFeed, String trackName, String trackDescription, GeoPoint geoPoint, boolean isStart) throws IOException, Exception { MyMapsFeature feature = buildMyMapsPlacemarkFeature(trackName, trackDescription, geoPoint, isStart); Entry entry = gdataConverter.getEntryForFeature(feature); Log.d(MyMapsConstants.TAG, "SendToMyMaps: Creating placemark " + entry.getTitle()); try { client.createEntry(featureFeed, authToken, entry); Log.d(MyMapsConstants.TAG, "SendToMyMaps: createEntry success!"); } catch (IOException e) { Log.w(MyMapsConstants.TAG, "SendToMyMaps: createEntry 1st try failed. Trying again."); // Retry once (often IOException is thrown on a timeout): client.createEntry(featureFeed, authToken, entry); Log.d(MyMapsConstants.TAG, "SendToMyMaps: createEntry success on 2nd try!"); } } /** * Builds a placemark MyMapsFeature from a track. * * @param trackName the track * @param trackDescription the track description * @param geoPoint the geo point * @param isStart true if it's the start of the track, or false for end * @return a MyMapsFeature */ private MyMapsFeature buildMyMapsPlacemarkFeature( String trackName, String trackDescription, GeoPoint geoPoint, boolean isStart) { String iconUrl; if (isStart) { iconUrl = START_ICON_URL; } else { iconUrl = END_ICON_URL; } String title = trackName + " " + (isStart ? context.getString(R.string.marker_label_start) : context.getString(R.string.marker_label_end)); String description = isStart ? "" : trackDescription; return buildMyMapsPlacemarkFeature(title, description, iconUrl, geoPoint); } /** * Builds a MyMapsFeature from a waypoint. * * @param title the title * @param description the description * @param iconUrl the icon url * @param geoPoint the waypoint * @return a MyMapsFeature */ private static MyMapsFeature buildMyMapsPlacemarkFeature( String title, String description, String iconUrl, GeoPoint geoPoint) { MyMapsFeature myMapsFeature = new MyMapsFeature(); myMapsFeature.generateAndroidId(); myMapsFeature.setType(MyMapsFeature.MARKER); myMapsFeature.setIconUrl(iconUrl); myMapsFeature.setDescription(description); myMapsFeature.addPoint(geoPoint); if (TextUtils.isEmpty(title)) { // Features must have a name (otherwise GData upload may fail): myMapsFeature.setTitle("-"); } else { myMapsFeature.setTitle(title); } myMapsFeature.setDescription(description.replaceAll("\n", "<br>")); return myMapsFeature; } /** * Uploads a series of waypoints to the given map. * * @param mapId ID of the map to upload to * @param waypoints the waypoints to upload * @return true on success, false otherwise */ public boolean uploadWaypoints( final String mapId, final Iterable<Waypoint> waypoints) { return wrapper.runQuery(new MyMapsGDataWrapper.QueryFunction() { public void query(MapsClient client) { // TODO(rdamazio): Stream through the 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. String featureFeed = MapsClient.getFeaturesFeed(mapId); try { for (Waypoint waypoint : waypoints) { MyMapsFeature feature = buildMyMapsPlacemarkFeature( waypoint.getName(), waypoint.getDescription(), waypoint.getIcon(), getGeoPoint(waypoint.getLocation())); Entry entry = gdataConverter.getEntryForFeature(feature); Log.d(MyMapsConstants.TAG, "SendToMyMaps: Creating waypoint."); try { client.createEntry(featureFeed, authToken, entry); Log.d(MyMapsConstants.TAG, "SendToMyMaps: createEntry success!"); } catch (IOException e) { Log.w(MyMapsConstants.TAG, "SendToMyMaps: createEntry 1st try failed. Retrying."); // Retry once (often IOException is thrown on a timeout): client.createEntry(featureFeed, authToken, entry); Log.d(MyMapsConstants.TAG, "SendToMyMaps: createEntry success on 2nd try!"); } } } catch (ParseException e) { Log.w(MyMapsConstants.TAG, "ParseException caught.", e); } catch (HttpException e) { Log.w(MyMapsConstants.TAG, "HttpException caught.", e); } catch (IOException e) { Log.w(MyMapsConstants.TAG, "IOException caught.", e); } } }); } /** * Uploads a series of points to the given map. * * @param mapId ID of the map to upload to * @param trackName the name of the track * @param locations the locations to upload * @return true on success, false otherwise */ public boolean uploadTrackPoints( final String mapId, final String trackName, final Collection<Location> locations) { return wrapper.runQuery(new MyMapsGDataWrapper.QueryFunction() { @Override public void query(MapsClient client) throws IOException, Exception { String featureFeed = MapsClient.getFeaturesFeed(mapId); Log.d(MyMapsConstants.TAG, "Feature feed url: " + featureFeed); uploadTrackPoints(client, featureFeed, trackName, locations); } }); } private boolean uploadTrackPoints( MapsClient client, String featureFeed, String trackName, Collection<Location> locations) throws IOException, Exception { Entry entry = null; int numLocations = locations.size(); if (numLocations < 2) { // Need at least two points for a polyline: Log.w(MyMapsConstants.TAG, "Not uploading too few points"); return true; } // Put the line: entry = gdataConverter.getEntryForFeature( buildMyMapsLineFeature(trackName, locations)); Log.d(MyMapsConstants.TAG, "SendToMyMaps: Creating line " + entry.getTitle()); try { client.createEntry(featureFeed, authToken, entry); Log.d(MyMapsConstants.TAG, "SendToMyMaps: createEntry success!"); } catch (IOException e) { Log.w(MyMapsConstants.TAG, "SendToMyMaps: createEntry 1st try failed. Trying again."); // Retry once (often IOException is thrown on a timeout): client.createEntry(featureFeed, authToken, entry); Log.d(MyMapsConstants.TAG, "SendToMyMaps: createEntry success on 2nd try!"); } return true; } /** * Builds a MyMapsFeature from a track. * * @param trackName the track name * @param locations locations on the track * @return a MyMapsFeature */ private static MyMapsFeature buildMyMapsLineFeature(String trackName, Iterable<Location> locations) { MyMapsFeature myMapsFeature = new MyMapsFeature(); myMapsFeature.generateAndroidId(); myMapsFeature.setType(MyMapsFeature.LINE); if (TextUtils.isEmpty(trackName)) { // Features must have a name (otherwise GData upload may fail): myMapsFeature.setTitle("-"); } else { myMapsFeature.setTitle(trackName); } myMapsFeature.setColor(0x80FF0000); for (Location loc : locations) { myMapsFeature.addPoint(getGeoPoint(loc)); } return myMapsFeature; } /** * Cleans up after a series of uploads. * This closes the connection to Maps and resets retry counters. */ public void cleanUp() { wrapper.cleanUp(); } private static GeoPoint getGeoPoint(Location location) { return new GeoPoint((int) (location.getLatitude() * 1E6), (int) (location.getLongitude() * 1E6)); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MapsFacade.java
Java
asf20
13,980
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; import com.google.android.maps.GeoPoint; /** * A rectangle in geographical space. */ 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/GeoRect.java
Java
asf20
1,140
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; import com.google.android.maps.GeoPoint; import java.util.Random; import java.util.Vector; /** * MyMapsFeature contains all of the data associated with a feature in My Maps, * where a feature is a marker, line, or shape. Some of the data is stored in a * {@link MyMapsFeatureMetadata} object so that it can be more efficiently * transmitted to other activities. */ class MyMapsFeature { private static final long serialVersionUID = 8439035544430497236L; /** 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 MyMapsFeatureMetadata featureInfo = new MyMapsFeatureMetadata(); 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 MyMapsFeature() { } /** * 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. */ 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 */ 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); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MyMapsFeature.java
Java
asf20
6,287
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; /** * Metadata about a maps feature. */ class MyMapsFeatureMetadata { 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 MyMapsFeatureMetadata() { title = ""; description = ""; type = MyMapsFeature.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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MyMapsFeatureMetadata.java
Java
asf20
1,663
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; import com.google.android.apps.mytracks.io.AuthManager; import com.google.android.apps.mytracks.io.AuthManager.AuthCallback; import com.google.android.apps.mytracks.io.gdata.GDataClientFactory; import com.google.android.common.gdata.AndroidXmlParserFactory; import com.google.wireless.gdata.client.GDataClient; import com.google.wireless.gdata.client.HttpException; import com.google.wireless.gdata.parser.xml.SimplePullParser.ParseException; import com.google.wireless.gdata2.ConflictDetectedException; import com.google.wireless.gdata2.client.AuthenticationException; import android.content.Context; import android.util.Log; import java.io.IOException; /** * MyMapsGDataWrapper provides a wrapper around GData operations that maintains * the GData client, and provides a method to run gdata queries with proper * error handling. After a query is run, the wrapper can be queried about the * error that occurred. */ class MyMapsGDataWrapper { /** * A QueryFunction is passed in when executing a query. The query function * of the class is called with the GData client as a parameter. The * function should execute whatever operations it desires on the client * without concern for whether the client will throw an error. */ interface QueryFunction { public abstract void query(MapsClient client) throws AuthenticationException, IOException, ParseException, ConflictDetectedException, Exception; } // The types of error that may be encountered /** No error occurred. */ public static final int ERROR_NO_ERROR = 0; /** There was an authentication error, the auth token may be invalid. */ public static final int ERROR_AUTH = 1; /** There was an internal error on the server side. */ public static final int ERROR_INTERNAL = 2; /** There was an error connecting to the server. */ public static final int ERROR_CONNECTION = 3; /** The item queried did not exit. */ public static final int ERROR_NOT_FOUND = 4; /** There was an error parsing or serializing locally. */ public static final int ERROR_LOCAL = 5; /** There was a conflict, update the entry and try again. */ public static final int ERROR_CONFLICT = 6; /** * A query was run after cleaning up the wrapper, so the client was invalid. */ public static final int ERROR_CLEANED_UP = 7; /** An unknown error occurred. */ public static final int ERROR_UNKNOWN = 100; private final GDataClient androidGdataClient; private final AuthManager auth; private final MapsClient client; private String errorMessage; private int errorType; private boolean retryOnAuthFailure; private int retriesPending; private boolean cleanupCalled; public MyMapsGDataWrapper(Context context, AuthManager auth) { androidGdataClient = GDataClientFactory.getGDataClient(context); this.auth = auth; client = new MapsClient(androidGdataClient, new XmlMapsGDataParserFactory( new AndroidXmlParserFactory())); errorType = ERROR_NO_ERROR; errorMessage = null; retryOnAuthFailure = false; retriesPending = 0; cleanupCalled = false; } public boolean runQuery(final QueryFunction query) { if (client == null) { errorType = ERROR_CLEANED_UP; errorMessage = "GData Wrapper has already been cleaned up!"; return false; } try { query.query(client); errorType = ERROR_NO_ERROR; errorMessage = null; return true; } catch (AuthenticationException e) { Log.e(MyMapsConstants.TAG, "Exception", e); errorType = ERROR_AUTH; errorMessage = e.getMessage(); } catch (HttpException e) { Log.e(MyMapsConstants.TAG, "HttpException", e); errorMessage = e.getMessage(); if (errorMessage != null && errorMessage.contains("401")) { errorType = ERROR_AUTH; } else { errorType = ERROR_CONNECTION; } } catch (IOException e) { Log.e(MyMapsConstants.TAG, "Exception", e); errorMessage = e.getMessage(); if (errorMessage != null && errorMessage.contains("503")) { errorType = ERROR_INTERNAL; } else { errorType = ERROR_CONNECTION; } } catch (ParseException e) { Log.e(MyMapsConstants.TAG, "Exception", e); errorType = ERROR_LOCAL; errorMessage = e.getMessage(); } catch (ConflictDetectedException e) { Log.e(MyMapsConstants.TAG, "Exception", e); errorType = ERROR_CONFLICT; errorMessage = e.getMessage(); } catch (Exception e) { Log.e(MyMapsConstants.TAG, "Exception", e); errorType = ERROR_UNKNOWN; errorMessage = e.getMessage(); e.printStackTrace(); } Log.d(MyMapsConstants.TAG, "GData error encountered: " + errorMessage); if (errorType == ERROR_AUTH && auth != null) { AuthCallback whenFinished = null; if (retryOnAuthFailure) { retriesPending++; whenFinished = new AuthCallback() { @Override public void onAuthResult(boolean success) { retriesPending--; retryOnAuthFailure = false; runQuery(query); if (cleanupCalled && retriesPending == 0) { cleanUp(); } } }; } auth.invalidateAndRefresh(whenFinished); } return false; } public int getErrorType() { return errorType; } public String getErrorMessage() { return errorMessage; } // cleanUp must be called when done using this wrapper to close the client. // Note that the cleanup will be delayed if auth failure retries were // requested and there is a pending retry. public void cleanUp() { if (retriesPending == 0 && !cleanupCalled) { androidGdataClient.close(); } cleanupCalled = true; } public void setRetryOnAuthFailure(boolean retry) { retryOnAuthFailure = retry; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MyMapsGDataWrapper.java
Java
asf20
5,970
// Copyright 2009 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; /** * Metadata about a "my maps" map. */ class MyMapsMapMetadata { private String title; private String description; private String gdataEditUri; private boolean searchable; public MyMapsMapMetadata() { 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; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/MyMapsMapMetadata.java
Java
asf20
992
// Copyright 2010 Google Inc. All Rights Reserved. package com.google.android.apps.mytracks.io.mymaps; 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"); } } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/mymaps/XmlMapsGDataSerializer.java
Java
asf20
8,526
/* * 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; import static com.google.android.apps.mytracks.Constants.TAG; import android.app.Activity; import android.os.Build; import android.os.Bundle; import android.util.Log; /** * A factory for getting the platform specific AuthManager. * * @author Sandor Dornbush */ public class AuthManagerFactory { private AuthManagerFactory() { } /** * Returns whether the modern AuthManager should be used */ public static boolean useModernAuthManager() { return Integer.parseInt(Build.VERSION.SDK) >= 7; } /** * Get a right {@link AuthManager} for the platform. * @return A new AuthManager */ public static AuthManager getAuthManager(Activity activity, int code, Bundle extras, boolean requireGoogle, String service) { if (useModernAuthManager()) { Log.i(TAG, "Creating modern auth manager: " + service); return new ModernAuthManager(activity, service); } else { Log.i(TAG, "Creating legacy auth manager: " + service); return new AuthManagerOld(activity, code, extras, requireGoogle, service); } } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/AuthManagerFactory.java
Java
asf20
1,707
/* * 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; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.ProgressIndicator; 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.GDataWrapper; import com.google.android.apps.mytracks.io.gdata.GDataWrapper.QueryFunction; import com.google.android.apps.mytracks.io.sendtogoogle.SendType; import com.google.android.apps.mytracks.stats.DoubleBuffer; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.ApiFeatures; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.StringUtils; 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.HttpResponseException; import com.google.api.client.http.HttpTransport; import com.google.api.client.http.InputStreamContent; import com.google.api.client.util.Strings; import android.app.Activity; 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.net.URLEncoder; import java.util.ArrayList; import java.util.List; import java.util.Locale; import java.util.Vector; /** * A helper class used to transmit tracks to Google Fusion Tables. * A new instance should be used for each upload. * * @author Leif Hendrik Wilden */ public class SendToFusionTables implements Runnable { private static final String CONTENT_TYPE = "application/x-www-form-urlencoded"; /** * Listener invoked when sending to fusion tables completes. */ public interface OnSendCompletedListener { void onSendCompleted(String tableId, boolean success); } /** The GData service id for Fusion Tables. */ public static final String SERVICE_ID = "fusiontables"; /** The path for viewing a map visualization of a table. */ private static final String FUSIONTABLES_MAP = "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"; /** Standard base feed url for Fusion Tables. */ private static final String FUSIONTABLES_BASE_FEED_URL = "https://www.google.com/fusiontables/api/query"; private static final int MAX_POINTS_PER_UPLOAD = 2048; private static final String GDATA_VERSION = "2"; // This class reports upload status to the user as a completion percentage // using a progress bar. Progress is defined as follows: // // 0% Getting track metadata // 5% Creating Fusion Table (GData to FT server) // 10%-90% Uploading the track data to Fusion Tables // 95% Uploading waypoints // 100% Done private static final int PROGRESS_INITIALIZATION = 0; private static final int PROGRESS_FUSION_TABLE_CREATE = 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; private final Activity context; private final AuthManager auth; private final long trackId; private final ProgressIndicator progressIndicator; private final OnSendCompletedListener onCompletion; private final StringUtils stringUtils; private final MyTracksProviderUtils providerUtils; // Progress status private int totalLocationsRead; private int totalLocationsPrepared; private int totalLocationsUploaded; private int totalLocations; private int totalSegmentsUploaded; private HttpRequestFactory httpRequestFactory; private String tableId; private static String MARKER_TYPE_START = "large_green"; private static String MARKER_TYPE_END = "large_red"; private static String MARKER_TYPE_WAYPOINT = "large_yellow"; public SendToFusionTables(Activity context, AuthManager auth, long trackId, ProgressIndicator progressIndicator, OnSendCompletedListener onCompletion) { this.context = context; this.auth = auth; this.trackId = trackId; this.progressIndicator = progressIndicator; this.onCompletion = onCompletion; this.stringUtils = new StringUtils(context); this.providerUtils = MyTracksProviderUtils.Factory.get(context); HttpTransport transport = ApiFeatures.getInstance().getApiAdapter().getHttpTransport(); httpRequestFactory = transport.createRequestFactory(new MethodOverride()); } @Override public void run() { Log.d(Constants.TAG, "Sending to Fusion tables: trackId = " + trackId); doUpload(); } public static String getMapVisualizationUrl(Track track) { if (track == null || track.getStatistics() == null || track.getTableId() == null) { Log.w(TAG, "Unable to get track URL"); return null; } // TODO(leifhendrik): Determine 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, FUSIONTABLES_MAP, track.getTableId(), latE6 / 1.E6, lonE6 / 1.E6, z); } private void doUpload() { boolean success = true; try { progressIndicator.setProgressValue(PROGRESS_INITIALIZATION); progressIndicator.setProgressMessage( context.getString(R.string.send_google_progress_reading_track)); // Get the track meta-data Track track = providerUtils.getTrack(trackId); if (track == null) { Log.w(Constants.TAG, "Cannot get track."); return; } String originalDescription = track.getDescription(); // Create a new table: progressIndicator.setProgressValue(PROGRESS_FUSION_TABLE_CREATE); String creatingFormat = context.getString(R.string.send_google_progress_creating); String serviceName = context.getString(SendType.FUSION_TABLES.getServiceName()); progressIndicator.setProgressMessage(String.format(creatingFormat, serviceName)); if (!createNewTable(track) || !makeTableUnlisted()) { return; } progressIndicator.setProgressValue(PROGRESS_UPLOAD_DATA_MIN); String sendingFormat = context.getString(R.string.send_google_progress_sending); progressIndicator.setProgressMessage(String.format(sendingFormat, serviceName)); // Upload all of the segments of the track plus start/end markers if (!uploadAllTrackPoints(track, originalDescription)) { return; } progressIndicator.setProgressValue(PROGRESS_UPLOAD_WAYPOINTS); // Upload all the waypoints. if (!uploadWaypoints(track)) { return; } Log.d(Constants.TAG, "SendToFusionTables: Done: " + success); progressIndicator.setProgressValue(PROGRESS_COMPLETE); } finally { final boolean finalSuccess = success; context.runOnUiThread(new Runnable() { public void run() { if (onCompletion != null) { onCompletion.onSendCompleted(tableId, finalSuccess); } } }); } } /** * Creates a new table. * If successful sets {@link #tableId}. * * @return true in case of success. */ private boolean createNewTable(Track track) { Log.d(Constants.TAG, "Creating a new fusion table."); String query = "CREATE TABLE '" + sqlEscape(track.getName()) + "' (name:STRING,description:STRING,geometry:LOCATION,marker:STRING)"; return runUpdate(query); } private boolean makeTableUnlisted() { Log.d(Constants.TAG, "Setting visibility to unlisted."); String query = "UPDATE TABLE " + tableId + " SET VISIBILITY = UNLISTED"; return runUpdate(query); } /** * Formats given values SQL style. Escapes single quotes with a backslash. * * @param values the values to format * @return the values formatted as: ('value1','value2',...,'value_n'). */ private static String values(String... values) { StringBuilder builder = new StringBuilder("("); for (int i = 0; i < values.length; i++) { if (i > 0) { builder.append(','); } builder.append('\''); builder.append(sqlEscape(values[i])); builder.append('\''); } builder.append(')'); return builder.toString(); } private static String sqlEscape(String value) { return value.replaceAll("'", "''"); } /** * Creates a new row representing a marker. * * @param name the marker name * @param description the marker description * @param location the marker location * @return true in case of success. */ private boolean createNewPoint(String name, String description, Location location, String marker) { Log.d(Constants.TAG, "Creating a new row with a point."); String query = "INSERT INTO " + tableId + " (name,description,geometry,marker) VALUES " + values(name, description, getKmlPoint(location), marker); return runUpdate(query); } /** * Creates a new row representing a line segment. * * @param track the track/segment to draw * @return true in case of success. */ private boolean createNewLineString(Track track) { Log.d(Constants.TAG, "Creating a new row with a point."); String query = "INSERT INTO " + tableId + " (name,description,geometry) VALUES " + values(track.getName(), track.getDescription(), getKmlLineString(track)); return runUpdate(query); } private boolean uploadAllTrackPoints(final Track track, String originalDescription) { 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); } Cursor locationsCursor = providerUtils.getLocationsCursor(track.getId(), 0, -1, false); try { if (locationsCursor == null || !locationsCursor.moveToFirst()) { Log.w(Constants.TAG, "Unable to get any points to upload"); return false; } totalLocationsRead = 0; totalLocationsPrepared = 0; totalLocationsUploaded = 0; totalLocations = locationsCursor.getCount(); totalSegmentsUploaded = 0; // Limit the number of elevation readings. Ideally we would want around 250. int elevationSamplingFrequency = Math.max(1, (int) (totalLocations / 250.0)); Log.d(Constants.TAG, "Using elevation sampling factor: " + elevationSamplingFrequency + " on " + totalLocations); double totalDistance = 0; Vector<Double> distances = new Vector<Double>(); Vector<Double> elevations = new Vector<Double>(); DoubleBuffer elevationBuffer = new DoubleBuffer(Constants.ELEVATION_SMOOTHING_FACTOR); List<Location> locations = new ArrayList<Location>(MAX_POINTS_PER_UPLOAD); Location lastLocation = null; do { if (totalLocationsRead % 100 == 0) { updateTrackDataUploadProgress(); } Location loc = providerUtils.createLocation(locationsCursor); locations.add(loc); if (totalLocationsRead == 0) { // Put a marker at the first point of the first valid segment: String name = track.getName() + " " + context.getString(R.string.marker_label_start); createNewPoint(name, "", loc, MARKER_TYPE_START); } // Add to the elevation profile. if (loc != null && LocationUtils.isValidLocation(loc)) { // All points go into the smoothing buffer... elevationBuffer.setNext(metricUnits ? loc.getAltitude() : loc.getAltitude() * UnitConversions.M_TO_FT); if (lastLocation != null) { double dist = lastLocation.distanceTo(loc); totalDistance += dist; } // ...but only a few points are really used to keep the url short. if (totalLocationsRead % elevationSamplingFrequency == 0) { distances.add(totalDistance); elevations.add(elevationBuffer.getAverage()); } } // If the location was not valid, it's a segment split, so make sure the // distance between the previous segment and the new one is not accounted // for in the next iteration. lastLocation = loc; // Every now and then, upload the accumulated points if (totalLocationsRead % MAX_POINTS_PER_UPLOAD == MAX_POINTS_PER_UPLOAD - 1) { if (!prepareAndUploadPoints(track, locations)) { return false; } } totalLocationsRead++; } while (locationsCursor.moveToNext()); // Do a final upload with what's left if (!prepareAndUploadPoints(track, locations)) { return false; } // Put an end marker at the last point of the last valid segment: if (lastLocation != null) { track.setDescription("<p>" + originalDescription + "</p><p>" + stringUtils.generateTrackDescription(track, distances, elevations) + "</p>"); String name = track.getName() + " " + context.getString(R.string.marker_label_end); return createNewPoint(name, track.getDescription(), lastLocation, MARKER_TYPE_END); } return true; } finally { if (locationsCursor != null) { locationsCursor.close(); } } } /** * Appends the given location to the string in the format: * longitude,latitude[,altitude] * * @param location the location to be added * @param builder the string builder to use */ private void appendCoordinate(Location location, StringBuilder builder) { builder .append(location.getLongitude()) .append(",") .append(location.getLatitude()); if (location.hasAltitude()) { builder.append(","); builder.append(location.getAltitude()); } } /** * Gets a KML Point tag for the given location. * * @param location The location. * @return the kml. */ private String getKmlPoint(Location location) { StringBuilder builder = new StringBuilder("<Point><coordinates>"); appendCoordinate(location, builder); builder.append("</coordinates></Point>"); return builder.toString(); } /** * Returns a KML LineString. * * @param track the track. * @return the KML LineString. */ private String getKmlLineString(Track track) { StringBuilder builder = new StringBuilder("<LineString><coordinates>"); for (Location location : track.getLocations()) { appendCoordinate(location, builder); builder.append(' '); } builder.append("</coordinates></LineString>"); return builder.toString(); } private boolean prepareAndUploadPoints(Track track, List<Location> locations) { updateTrackDataUploadProgress(); int numLocations = locations.size(); if (numLocations < 2) { Log.d(Constants.TAG, "Not preparing/uploading too few points"); totalLocationsUploaded += numLocations; return true; } // Prepare/pre-process the points ArrayList<Track> splitTracks = prepareLocations(track, locations); // Start uploading them for (Track splitTrack : splitTracks) { if (totalSegmentsUploaded > 1) { splitTrack.setName(splitTrack.getName() + " " + String.format( context.getString(R.string.send_google_track_part_label), totalSegmentsUploaded)); } totalSegmentsUploaded++; Log.d(Constants.TAG, "SendToFusionTables: Prepared feature for upload w/ " + splitTrack.getLocations().size() + " points."); // Transmit tracks via GData feed: // ------------------------------- Log.d(Constants.TAG, "SendToFusionTables: Uploading to table " + tableId + " w/ auth " + auth); if (!uploadTrackPoints(splitTrack)) { Log.e(Constants.TAG, "Uploading failed"); return false; } } locations.clear(); totalLocationsUploaded += numLocations; updateTrackDataUploadProgress(); return true; } /** * Prepares a buffer of locations for transmission to google fusion tables. * * @param track the original track with meta data * @param locations locations on the track * @return an array of tracks each with a sub section of the points in the * original buffer */ private ArrayList<Track> prepareLocations( Track track, Iterable<Location> locations) { ArrayList<Track> splitTracks = new ArrayList<Track>(); // Create segments from each full track: Track segment = new Track(); TripStatistics segmentStats = segment.getStatistics(); TripStatistics trackStats = track.getStatistics(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(/* track.getDescription() */ ""); segment.setCategory(track.getCategory()); segmentStats.setStartTime(trackStats.getStartTime()); segmentStats.setStopTime(trackStats.getStopTime()); boolean startNewTrackSegment = false; for (Location loc : locations) { if (totalLocationsPrepared % 100 == 0) { updateTrackDataUploadProgress(); } if (loc.getLatitude() > 90) { startNewTrackSegment = true; } if (startNewTrackSegment) { // Close up the last segment. prepareTrackSegment(segment, splitTracks); Log.d(Constants.TAG, "MyTracksSendToFusionTables: Starting new track segment..."); startNewTrackSegment = false; segment = new Track(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(/* track.getDescription() */ ""); segment.setCategory(track.getCategory()); } if (loc.getLatitude() <= 90) { segment.addLocation(loc); if (segmentStats.getStartTime() < 0) { segmentStats.setStartTime(loc.getTime()); } } totalLocationsPrepared++; } prepareTrackSegment(segment, splitTracks); return splitTracks; } /** * Prepares a track segment for sending to google fusion tables. * The main steps are: * - correcting end time * - decimating locations * - splitting into smaller tracks. * * The final track pieces will be put in the array list splitTracks. * * @param segment the original segment of the track * @param splitTracks an array of smaller track segments */ private void prepareTrackSegment( Track segment, ArrayList<Track> splitTracks) { TripStatistics segmentStats = segment.getStatistics(); if (segmentStats.getStopTime() < 0 && segment.getLocations().size() > 0) { segmentStats.setStopTime(segment.getLocations().size() - 1); } /* * Decimate to 2 meter precision. Fusion tables doesn't like too many * points: */ LocationUtils.decimate(segment, 2.0); /* If the track still has > 2500 points, split it in pieces: */ final int maxPoints = 2500; if (segment.getLocations().size() > maxPoints) { splitTracks.addAll(LocationUtils.split(segment, maxPoints)); } else if (segment.getLocations().size() >= 2) { splitTracks.add(segment); } } private boolean uploadTrackPoints(Track splitTrack) { int numLocations = splitTrack.getLocations().size(); if (numLocations < 2) { // Need at least two points for a polyline: Log.w(Constants.TAG, "Not uploading too few points"); return true; } return createNewLineString(splitTrack); } /** * Uploads all of the waypoints associated with this track to a table. * * @param track The track to upload waypoints for. * * @return True on success. */ private boolean uploadWaypoints(final Track track) { // TODO: Stream through the 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. boolean success = true; Cursor c = null; try { c = providerUtils.getWaypointsCursor( track.getId(), 0, Constants.MAX_LOADED_WAYPOINTS_POINTS); if (c != null) { if (c.moveToFirst()) { // This will skip the 1st waypoint (it carries the stats for the // last segment). while (c.moveToNext()) { Waypoint wpt = providerUtils.createWaypoint(c); Log.d(Constants.TAG, "SendToFusionTables: Creating waypoint."); success = createNewPoint(wpt.getName(), wpt.getDescription(), wpt.getLocation(), MARKER_TYPE_WAYPOINT); if (!success) { break; } } } } if (!success) { Log.w(Constants.TAG, "SendToFusionTables: upload waypoints failed."); } return success; } finally { if (c != null) { c.close(); } } } private void updateTrackDataUploadProgress() { // The percent of the total that represents the completed part of this // segment. We calculate it as an absolute percentage, and then scale it // to fit the completion percentage range alloted to track data upload. double totalPercentage = (totalLocationsRead + totalLocationsPrepared + totalLocationsUploaded) / (totalLocations * 3.0); double scaledPercentage = totalPercentage * (PROGRESS_UPLOAD_DATA_MAX - PROGRESS_UPLOAD_DATA_MIN) + PROGRESS_UPLOAD_DATA_MIN; progressIndicator.setProgressValue((int) scaledPercentage); } /** * Runs an update query. Handles authentication. * * @param query The given SQL like query * @return true in case of success */ private boolean runUpdate(final String query) { GDataWrapper<HttpRequestFactory> wrapper = new GDataWrapper<HttpRequestFactory>(); wrapper.setAuthManager(auth); wrapper.setRetryOnAuthFailure(true); wrapper.setClient(httpRequestFactory); Log.d(Constants.TAG, "GData connection prepared: " + this.auth); wrapper.runQuery(new QueryFunction<HttpRequestFactory>() { @Override public void query(HttpRequestFactory factory) throws IOException, GDataWrapper.ParseException, GDataWrapper.HttpException, GDataWrapper.AuthenticationException { GenericUrl url = new GenericUrl(FUSIONTABLES_BASE_FEED_URL); String sql = "sql=" + URLEncoder.encode(query, "UTF-8"); ByteArrayInputStream inputStream = new ByteArrayInputStream(Strings.toBytesUtf8(sql)); InputStreamContent isc = new InputStreamContent(null, inputStream ); HttpRequest request = factory.buildPostRequest(url, isc); GoogleHeaders headers = new GoogleHeaders(); headers.setApplicationName("Google-MyTracks-" + SystemUtils.getMyTracksVersion(context)); headers.gdataVersion = GDATA_VERSION; headers.setGoogleLogin(auth.getAuthToken()); headers.setContentType(CONTENT_TYPE); request.setHeaders(headers); Log.d(Constants.TAG, "Running update query " + url.toString() + ": " + sql); HttpResponse response; try { response = request.execute(); } catch (HttpResponseException e) { throw new GDataWrapper.HttpException(e.getResponse().getStatusCode(), e.getResponse().getStatusMessage()); } boolean success = response.isSuccessStatusCode(); if (success) { byte[] result = new byte[1024]; int read = response.getContent().read(result); String s = new String(result, 0, read, "UTF8"); String[] lines = s.split(Strings.LINE_SEPARATOR); if (lines[0].equals("tableid")) { tableId = lines[1]; Log.d(Constants.TAG, "tableId = " + tableId); } else { Log.w(Constants.TAG, "Unrecognized response: " + lines[0]); } } else { Log.d(Constants.TAG, "Query failed: " + response.getStatusMessage() + " (" + response.getStatusCode() + ")"); throw new GDataWrapper.HttpException( response.getStatusCode(), response.getStatusMessage()); } } }); return wrapper.getErrorType() == GDataWrapper.ERROR_NO_ERROR; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/SendToFusionTables.java
Java
asf20
26,036
/* * 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; import static com.google.android.apps.mytracks.Constants.ACCOUNT_TYPE; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.AccountChooser; 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.content.Intent; import android.os.Bundle; import android.util.Log; import java.io.IOException; /** * AuthManager keeps track of the current auth token for a user. The advantage * over just passing around a String is that this class can renew the auth * token if necessary, and it will change for all classes using this * AuthManager. */ public class ModernAuthManager implements AuthManager { /** The activity that will handle auth result callbacks. */ private final Activity activity; /** The name of the service to authorize for. */ private final String service; /** The most recently fetched auth token or null if none is available. */ private String authToken; private final AccountManager accountManager; private AuthCallback authCallback; private Account lastAccount; /** * AuthManager requires many of the same parameters as * {@link com.google.android.googlelogindist.GoogleLoginServiceHelper * #getCredentials(Activity, int, Bundle, boolean, String, boolean)}. * The activity must have a handler in {@link Activity#onActivityResult} that * calls {@link #authResult(int, Intent)} if the request code is the code * given here. * * @param activity An activity with a handler in * {@link Activity#onActivityResult} that calls * {@link #authResult(int, Intent)} when {@literal code} is the request * code * @param service The name of the service to authenticate as */ public ModernAuthManager(Activity activity, String service) { this.activity = activity; this.service = service; this.accountManager = AccountManager.get(activity); } /** * Call this to do the initial login. The user will be asked to login if * they haven't already. The {@link Runnable} provided will be executed * when the auth token is successfully fetched. * * @param runnable A {@link Runnable} to execute when the auth token * has been successfully fetched and is available via * {@link #getAuthToken()} */ public void doLogin(AuthCallback runnable, Object o) { this.authCallback = runnable; if (!(o instanceof Account)) { throw new IllegalArgumentException("ModernAuthManager requires an account."); } Account account = (Account) o; doLogin(account); } private void doLogin(Account account) { // Keep the account in case we need to retry. this.lastAccount = account; // NOTE: Many Samsung phones have a crashing bug in // AccountManager#getAuthToken(Account, String, boolean, AccountManagerCallback<Bundle>) // so we use the other version of the method. // More details here: // http://forum.xda-developers.com/showthread.php?p=15155487 // http://android.git.kernel.org/?p=platform/frameworks/base.git;a=blob;f=core/java/android/accounts/AccountManagerService.java accountManager.getAuthToken(account, service, null, activity, new AccountManagerCallback<Bundle>() { public void run(AccountManagerFuture<Bundle> future) { try { authToken = future.getResult().getString( AccountManager.KEY_AUTHTOKEN); Log.i(TAG, "Got auth token"); } catch (OperationCanceledException e) { Log.e(TAG, "Auth token operation Canceled", e); } catch (IOException e) { Log.e(TAG, "Auth token IO exception", e); } catch (AuthenticatorException e) { Log.e(TAG, "Authentication Failed", e); } runAuthCallback(); } }, null /* handler */); } /** * The {@link Activity} passed into the constructor should call this * function when it gets {@link Activity#onActivityResult} with the request * code passed into the constructor. The resultCode and results should * come directly from the {@link Activity#onActivityResult} function. This * function will return true if an auth token was successfully fetched or * the process is not finished. * * @param resultCode The result code passed in to the {@link Activity}'s * {@link Activity#onActivityResult} function * @param results The data passed in to the {@link Activity}'s * {@link Activity#onActivityResult} function */ public void authResult(int resultCode, Intent results) { boolean retry = false; if (results == null) { Log.e(TAG, "No auth token!!"); } else { authToken = results.getStringExtra(AccountManager.KEY_AUTHTOKEN); retry = results.getBooleanExtra("retry", false); } if (authToken == null && retry) { Log.i(TAG, "Retrying to get auth result"); doLogin(lastAccount); return; } runAuthCallback(); } /** * Returns the current auth token. Response may be null if no valid auth * token has been fetched. * * @return The current auth token or null if no auth token has been * fetched */ public String getAuthToken() { return authToken; } /** * Invalidates the existing auth token and request a new one. The callback * provided will be executed when the new auth token is successfully fetched. * * @param callback A callback to execute when a new auth token is successfully * fetched */ public void invalidateAndRefresh(final AuthCallback callback) { this.authCallback = callback; activity.runOnUiThread(new Runnable() { public void run() { accountManager.invalidateAuthToken(ACCOUNT_TYPE, authToken); authToken = null; AccountChooser accountChooser = new AccountChooser(); accountChooser.chooseAccount(activity, new AccountChooser.AccountHandler() { @Override public void onAccountSelected(Account account) { if (account != null) { doLogin(account); } else { runAuthCallback(); } } }); } }); } private void runAuthCallback() { lastAccount = null; if (authCallback != null) { (new Thread() { @Override public void run() { authCallback.onAuthResult(authToken != null); authCallback = null; } }).start(); } } @Override public Object getAccountObject(String accountName, String accountType) { return new Account(accountName, accountType); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/ModernAuthManager.java
Java
asf20
7,558
/* * 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; import static com.google.android.apps.mytracks.Constants.TAG; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.ProgressIndicator; 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.mymaps.MapsFacade; import com.google.android.apps.mytracks.io.sendtogoogle.SendType; import com.google.android.apps.mytracks.stats.DoubleBuffer; import com.google.android.apps.mytracks.stats.TripStatistics; import com.google.android.apps.mytracks.util.LocationUtils; import com.google.android.apps.mytracks.util.StringUtils; import com.google.android.apps.mytracks.util.UnitConversions; import com.google.android.maps.mytracks.R; import android.app.Activity; import android.content.Context; import android.content.SharedPreferences; import android.database.Cursor; import android.location.Location; import android.util.Log; import java.util.ArrayList; import java.util.List; import java.util.Vector; /** * A helper class used to transmit tracks to Google MyMaps. * A new instance should be used for each upload. * * 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 Fusion Tables API. * * @author Leif Hendrik Wilden */ public class SendToMyMaps implements Runnable { public static final String NEW_MAP_ID = "new"; private static final int MAX_POINTS_PER_UPLOAD = 2048; private final Activity context; private final AuthManager auth; private final long trackId; private final ProgressIndicator progressIndicator; private final OnSendCompletedListener onCompletion; private final StringUtils stringUtils; private final MyTracksProviderUtils providerUtils; private String mapId; private MapsFacade mapsClient; // Progress status private int totalLocationsRead; private int totalLocationsPrepared; private int totalLocationsUploaded; private int totalLocations; private int totalSegmentsUploaded; public interface OnSendCompletedListener { void onSendCompleted(String mapId, boolean success); } public SendToMyMaps(Activity context, String mapId, AuthManager auth, long trackId, ProgressIndicator progressIndicator, OnSendCompletedListener onCompletion) { this.context = context; this.mapId = mapId; this.auth = auth; this.trackId = trackId; this.progressIndicator = progressIndicator; this.onCompletion = onCompletion; this.stringUtils = new StringUtils(context); this.providerUtils = MyTracksProviderUtils.Factory.get(context); } @Override public void run() { Log.d(TAG, "Sending to MyMaps: trackId = " + trackId); doUpload(); } private void doUpload() { boolean success = true; try { progressIndicator.setProgressMessage( context.getString(R.string.send_google_progress_reading_track)); // Get the track meta-data Track track = providerUtils.getTrack(trackId); if (track == null) { Log.w(Constants.TAG, "Cannot get track."); return; } String originalDescription = track.getDescription(); track.setDescription("<p>" + track.getDescription() + "</p><p>" + stringUtils.generateTrackDescription(track, null, null) + "</p>"); mapsClient = new MapsFacade(context, auth); // Create a new map if necessary: boolean isNewMap = mapId.equals(NEW_MAP_ID); if (isNewMap) { SharedPreferences preferences = context.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); boolean mapPublic = true; if (preferences != null) { mapPublic = preferences.getBoolean( context.getString(R.string.default_map_public_key), true); } String creatingFormat = context.getString(R.string.send_google_progress_creating); String serviceName = context.getString(SendType.MYMAPS.getServiceName()); progressIndicator.setProgressMessage(String.format(creatingFormat, serviceName)); StringBuilder mapIdBuilder = new StringBuilder(); success = mapsClient.createNewMap( track.getName(), track.getCategory(), originalDescription, mapPublic, mapIdBuilder); mapId = mapIdBuilder.toString(); } // Upload all of the segments of the track plus start/end markers if (success) { success = uploadAllTrackPoints(track, originalDescription); } // Put waypoints. if (success) { Cursor c = providerUtils.getWaypointsCursor( track.getId(), 0, Constants.MAX_LOADED_WAYPOINTS_POINTS); if (c != null) { try { if (c.getCount() > 1 && c.moveToFirst()) { // This will skip the 1st waypoint (it carries the stats for the // last segment). ArrayList<Waypoint> waypoints = new ArrayList<Waypoint>(c.getCount() - 1); while (c.moveToNext()) { Waypoint wpt = providerUtils.createWaypoint(c); waypoints.add(wpt); } success = mapsClient.uploadWaypoints(mapId, waypoints); } } finally { c.close(); } } else { success = false; } if (!success) { Log.w(TAG, "SendToMyMaps: upload waypoints failed."); } } Log.d(TAG, "SendToMyMaps: Done: " + success); progressIndicator.setProgressValue(100); } finally { if (mapsClient != null) { mapsClient.cleanUp(); } final boolean finalSuccess = success; context.runOnUiThread(new Runnable() { public void run() { if (onCompletion != null) { onCompletion.onSendCompleted(mapId, finalSuccess); } } }); } } private boolean uploadAllTrackPoints( final Track track, String originalDescription) { 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); } Cursor locationsCursor = providerUtils.getLocationsCursor(track.getId(), 0, -1, false); try { if (locationsCursor == null || !locationsCursor.moveToFirst()) { Log.w(TAG, "Unable to get any points to upload"); return false; } totalLocationsRead = 0; totalLocationsPrepared = 0; totalLocationsUploaded = 0; totalLocations = locationsCursor.getCount(); totalSegmentsUploaded = 0; // Limit the number of elevation readings. Ideally we would want around 250. int elevationSamplingFrequency = Math.max(1, (int) (totalLocations / 250.0)); Log.d(TAG, "Using elevation sampling factor: " + elevationSamplingFrequency + " on " + totalLocations); double totalDistance = 0; Vector<Double> distances = new Vector<Double>(); Vector<Double> elevations = new Vector<Double>(); DoubleBuffer elevationBuffer = new DoubleBuffer(Constants.ELEVATION_SMOOTHING_FACTOR); List<Location> locations = new ArrayList<Location>(MAX_POINTS_PER_UPLOAD); progressIndicator.setProgressMessage( context.getString(R.string.send_google_progress_reading_track)); Location lastLocation = null; do { if (totalLocationsRead % 100 == 0) { updateProgress(); } Location loc = providerUtils.createLocation(locationsCursor); locations.add(loc); if (totalLocationsRead == 0) { // Put a marker at the first point of the first valid segment: mapsClient.uploadMarker(mapId, track.getName(), track.getDescription(), loc, true); } // Add to the elevation profile. if (loc != null && LocationUtils.isValidLocation(loc)) { // All points go into the smoothing buffer... elevationBuffer.setNext(metricUnits ? loc.getAltitude() : loc.getAltitude() * UnitConversions.M_TO_FT); if (lastLocation != null) { double dist = lastLocation.distanceTo(loc); totalDistance += dist; } // ...but only a few points are really used to keep the url short. if (totalLocationsRead % elevationSamplingFrequency == 0) { distances.add(totalDistance); elevations.add(elevationBuffer.getAverage()); } } // If the location was not valid, it's a segment split, so make sure the // distance between the previous segment and the new one is not accounted // for in the next iteration. lastLocation = loc; // Every now and then, upload the accumulated points if (totalLocationsRead % MAX_POINTS_PER_UPLOAD == MAX_POINTS_PER_UPLOAD - 1) { if (!prepareAndUploadPoints(track, locations)) { return false; } } totalLocationsRead++; } while (locationsCursor.moveToNext()); // Do a final upload with what's left if (!prepareAndUploadPoints(track, locations)) { return false; } // Put an end marker at the last point of the last valid segment: if (lastLocation != null) { track.setDescription("<p>" + originalDescription + "</p><p>" + stringUtils.generateTrackDescription( track, distances, elevations) + "</p>"); return mapsClient.uploadMarker(mapId, track.getName(), track.getDescription(), lastLocation, false); } return true; } finally { if (locationsCursor != null) { locationsCursor.close(); } } } private boolean prepareAndUploadPoints(Track track, List<Location> locations) { progressIndicator.setProgressMessage( context.getString(R.string.send_google_progress_preparing_track)); updateProgress(); int numLocations = locations.size(); if (numLocations < 2) { Log.d(TAG, "Not preparing/uploading too few points"); totalLocationsUploaded += numLocations; return true; } // Prepare/pre-process the points ArrayList<Track> splitTracks = prepareLocations(track, locations); // Start uploading them String sendingFormat = context.getString(R.string.send_google_progress_sending); String serviceName = context.getString(SendType.MYMAPS.getServiceName()); progressIndicator.setProgressMessage(String.format(sendingFormat, serviceName)); for (Track splitTrack : splitTracks) { if (totalSegmentsUploaded > 1) { splitTrack.setName(splitTrack.getName() + " " + String.format( context.getString(R.string.send_google_track_part_label), totalSegmentsUploaded)); } totalSegmentsUploaded++; Log.d(TAG, "SendToMyMaps: Prepared feature for upload w/ " + splitTrack.getLocations().size() + " points."); // Transmit tracks via GData feed: // ------------------------------- Log.d(TAG, "SendToMyMaps: Uploading to map " + mapId + " w/ auth " + auth); if (!mapsClient.uploadTrackPoints(mapId, splitTrack.getName(), splitTrack.getLocations())) { Log.e(TAG, "Uploading failed"); return false; } } locations.clear(); totalLocationsUploaded += numLocations; updateProgress(); return true; } /** * Prepares a buffer of locations for transmission to google maps. * * @param track the original track with meta data * @param locations a buffer of locations on the track * @return an array of tracks each with a sub section of the points in the * original buffer */ private ArrayList<Track> prepareLocations( Track track, Iterable<Location> locations) { ArrayList<Track> splitTracks = new ArrayList<Track>(); // Create segments from each full track: Track segment = new Track(); TripStatistics segmentStats = segment.getStatistics(); TripStatistics trackStats = track.getStatistics(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(/* track.getDescription() */ ""); segment.setCategory(track.getCategory()); segmentStats.setStartTime(trackStats.getStartTime()); segmentStats.setStopTime(trackStats.getStopTime()); boolean startNewTrackSegment = false; for (Location loc : locations) { if (totalLocationsPrepared % 100 == 0) { updateProgress(); } if (loc.getLatitude() > 90) { startNewTrackSegment = true; } if (startNewTrackSegment) { // Close up the last segment. prepareTrackSegment(segment, splitTracks); Log.d(TAG, "MyTracksSendToMyMaps: Starting new track segment..."); startNewTrackSegment = false; segment = new Track(); segment.setId(track.getId()); segment.setName(track.getName()); segment.setDescription(/* track.getDescription() */ ""); segment.setCategory(track.getCategory()); } if (loc.getLatitude() <= 90) { segment.addLocation(loc); if (segmentStats.getStartTime() < 0) { segmentStats.setStartTime(loc.getTime()); } } totalLocationsPrepared++; } prepareTrackSegment(segment, splitTracks); return splitTracks; } /** * Prepares a track segment for sending to google maps. * The main steps are: * - correcting end time * - decimating locations * - splitting into smaller tracks. * * The final track pieces will be put in the array list splitTracks. * * @param segment the original segment of the track * @param splitTracks an array of smaller track segments */ private void prepareTrackSegment( Track segment, ArrayList<Track> splitTracks) { TripStatistics segmentStats = segment.getStatistics(); if (segmentStats.getStopTime() < 0 && segment.getLocations().size() > 0) { segmentStats.setStopTime(segment.getLocations().size() - 1); } /* * Decimate to 2 meter precision. Mapshop doesn't like too many * points: */ LocationUtils.decimate(segment, 2.0); /* It the track still has > 500 points, split it in pieces: */ if (segment.getLocations().size() > 500) { splitTracks.addAll(LocationUtils.split(segment, 500)); } else if (segment.getLocations().size() >= 2) { splitTracks.add(segment); } } /** * Sets the current upload progress. */ private void updateProgress() { // The percent of the total that represents the completed part of this // segment. int totalPercentage = (totalLocationsRead + totalLocationsPrepared + totalLocationsUploaded) * 100 / (totalLocations * 3); totalPercentage = Math.min(99, totalPercentage); progressIndicator.setProgressValue(totalPercentage); } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/SendToMyMaps.java
Java
asf20
15,973
/* * 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; import com.google.android.apps.mytracks.Constants; import com.google.android.apps.mytracks.ProgressIndicator; import com.google.android.apps.mytracks.content.MyTracksProviderUtils; import com.google.android.apps.mytracks.content.Track; import com.google.android.apps.mytracks.io.docs.DocsHelper; import com.google.android.apps.mytracks.io.gdata.GDataClientFactory; import com.google.android.apps.mytracks.io.gdata.GDataWrapper; 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.GDataServiceClient; import com.google.wireless.gdata.docs.DocumentsClient; import com.google.wireless.gdata.docs.SpreadsheetsClient; import com.google.wireless.gdata.docs.XmlDocsGDataParserFactory; import android.app.Activity; import android.content.Context; import android.content.SharedPreferences; import android.util.Log; import java.io.IOException; /** * A helper class used to transmit tracks statistics to Google Docs/Trix. * * @author Sandor Dornbush */ public class SendToDocs { /** The GData service name for Google Spreadsheets (aka Trix) */ public static final String GDATA_SERVICE_NAME_TRIX = "wise"; /** The GData service name for the Google Docs Document List */ public static final String GDATA_SERVICE_NAME_DOCLIST = "writely"; private final Activity activity; private final AuthManager trixAuth; private final AuthManager docListAuth; private final ProgressIndicator progressIndicator; private final boolean metricUnits; private boolean success = true; private Runnable onCompletion = null; public SendToDocs(Activity activity, AuthManager trixAuth, AuthManager docListAuth, ProgressIndicator progressIndicator) { this.activity = activity; this.trixAuth = trixAuth; this.docListAuth = docListAuth; this.progressIndicator = progressIndicator; SharedPreferences preferences = activity.getSharedPreferences( Constants.SETTINGS_NAME, Context.MODE_PRIVATE); if (preferences != null) { metricUnits = preferences.getBoolean(activity.getString(R.string.metric_units_key), true); } else { metricUnits = true; } } public void sendToDocs(final long trackId) { Log.d(Constants.TAG, "Sending to Google Docs: trackId = " + trackId); new Thread("SendToGoogleDocs") { @Override public void run() { doUpload(trackId); } }.start(); } private void doUpload(long trackId) { success = false; try { if (trackId == -1) { Log.w(Constants.TAG, "Cannot get track id."); return; } // Get the track from the provider: Track track = MyTracksProviderUtils.Factory.get(activity).getTrack(trackId); if (track == null) { Log.w(Constants.TAG, "Cannot get track."); return; } // Transmit track stats via GData feed: // ------------------------------- Log.d(Constants.TAG, "SendToDocs: Uploading to spreadsheet"); success = uploadToDocs(track); Log.d(Constants.TAG, "SendToDocs: Done."); } finally { if (onCompletion != null) { activity.runOnUiThread(onCompletion); } } } public boolean wasSuccess() { return success; } public void setOnCompletion(Runnable onCompletion) { this.onCompletion = onCompletion; } /** * Uploads the statistics about a track to Google Docs using the docs GData * feed. * * @param track the track */ private boolean uploadToDocs(Track track) { GDataWrapper<GDataServiceClient> docListWrapper = new GDataWrapper<GDataServiceClient>(); docListWrapper.setAuthManager(docListAuth); docListWrapper.setRetryOnAuthFailure(true); GDataWrapper<GDataServiceClient> trixWrapper = new GDataWrapper<GDataServiceClient>(); trixWrapper.setAuthManager(trixAuth); trixWrapper.setRetryOnAuthFailure(true); DocsHelper docsHelper = new DocsHelper(); GDataClient androidClient = null; try { androidClient = GDataClientFactory.getGDataClient(activity); SpreadsheetsClient gdataClient = new SpreadsheetsClient(androidClient, new XmlDocsGDataParserFactory(new AndroidXmlParserFactory())); trixWrapper.setClient(gdataClient); Log.d(Constants.TAG, "GData connection prepared: " + this.docListAuth); String sheetTitle = "My Tracks"; if (track.getCategory() != null && !track.getCategory().equals("")) { sheetTitle += "-" + track.getCategory(); } DocumentsClient docsGdataClient = new DocumentsClient(androidClient, new XmlDocsGDataParserFactory(new AndroidXmlParserFactory())); docListWrapper.setClient(docsGdataClient); // First try to find the spreadsheet: String spreadsheetId = null; try { spreadsheetId = docsHelper.requestSpreadsheetId(docListWrapper, sheetTitle); } catch (IOException e) { Log.i(Constants.TAG, "Spreadsheet lookup failed.", e); return false; } if (spreadsheetId == null) { progressIndicator.setProgressValue(65); // 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.e(Constants.TAG, "Sleep interrupted", e); } try { spreadsheetId = docsHelper.requestSpreadsheetId(docListWrapper, sheetTitle); } catch (IOException e) { Log.i(Constants.TAG, "2nd spreadsheet lookup failed.", e); return false; } } // We were unable to find an existing spreadsheet, so create a new one. progressIndicator.setProgressValue(70); if (spreadsheetId == null) { Log.i(Constants.TAG, "Creating new spreadsheet: " + sheetTitle); try { spreadsheetId = docsHelper.createSpreadsheet(activity, docListWrapper, sheetTitle); } catch (IOException e) { Log.i(Constants.TAG, "Failed to create new spreadsheet " + sheetTitle, e); return false; } progressIndicator.setProgressValue(80); if (spreadsheetId == null) { progressIndicator.setProgressValue(85); // 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: Log.w(Constants.TAG, "Create might have failed. Trying to find created document."); try { Thread.sleep(5000); } catch (InterruptedException e) { Log.e(Constants.TAG, "Sleep interrupted", e); } try { spreadsheetId = docsHelper.requestSpreadsheetId(docListWrapper, sheetTitle); } catch (IOException e) { Log.i(Constants.TAG, "Failed create-failed lookup", e); return false; } if (spreadsheetId == null) { progressIndicator.setProgressValue(87); // Re-try try { Thread.sleep(5000); } catch (InterruptedException e) { Log.e(Constants.TAG, "Sleep interrupted", e); } try { spreadsheetId = docsHelper.requestSpreadsheetId(docListWrapper, sheetTitle); } catch (IOException e) { Log.i(Constants.TAG, "Failed create-failed relookup", e); return false; } } if (spreadsheetId == null) { Log.i(Constants.TAG, "Creating new spreadsheet really failed."); return false; } } } String worksheetId = null; try { worksheetId = docsHelper.getWorksheetId(trixWrapper, spreadsheetId); if (worksheetId == null) { throw new IOException("Worksheet ID lookup returned empty"); } } catch (IOException e) { Log.i(Constants.TAG, "Looking up worksheet id failed.", e); return false; } progressIndicator.setProgressValue(90); docsHelper.addTrackRow(activity, trixAuth, spreadsheetId, worksheetId, track, metricUnits); Log.i(Constants.TAG, "Done uploading to docs."); } catch (IOException e) { Log.e(Constants.TAG, "Unable to upload docs.", e); return false; } finally { if (androidClient != null) { androidClient.close(); } } return true; } }
0000som143-mytracks
MyTracks/src/com/google/android/apps/mytracks/io/SendToDocs.java
Java
asf20
9,439
/* * 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.wireless.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. */ private 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("unchecked") @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("unchecked") 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("unchecked") 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(); } } } }
0000som143-mytracks
MyTracks/src/com/google/wireless/gdata/docs/SpreadsheetsClient.java
Java
asf20
9,897
/* * 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.wireless.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. */ private 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; } }
0000som143-mytracks
MyTracks/src/com/google/wireless/gdata/docs/DocumentsClient.java
Java
asf20
1,576
/* * 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.wireless.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("unchecked") @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); } }
0000som143-mytracks
MyTracks/src/com/google/wireless/gdata/docs/XmlDocsGDataParserFactory.java
Java
asf20
2,298
#!/bin/bash # # 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. # This script retrieves the value of a given named string from all indicated # strings.xml files. If invoked in a project directory (a directory with a # 'res' subdirectory), and if no strings.xml files are provided, the script # will automatically analyze res/values*/strings.xml PROGNAME=$(basename "$0") function usage() { echo "Usage: ${PROGNAME} string_name [file file..]" >&2 exit 2 } function die() { echo "${PROGNAME}: $@" >&2 exit 1 } if [[ "$#" -lt 1 ]] ; then usage fi name=$1 shift files= if [[ $# -eq 0 ]] ; then if [[ -d res ]] ; then files=res/values*/strings.xml else die "invoked outside of project root with no file arguments" fi else files="$@" fi for file in $files ; do echo === $file xmllint --xpath /resources/string[@name=\"$name\"] $file echo done
0000som143-mytracks
scripts/cat_message
Shell
asf20
1,404
''' Module which brings history information about files from Mercurial. @author: Rodrigo Damazio ''' import re import subprocess REVISION_REGEX = re.compile(r'(?P<hash>[0-9a-f]{12}):.*') def _GetOutputLines(args): ''' Runs an external process and returns its output as a list of lines. @param args: the arguments to run ''' process = subprocess.Popen(args, stdout=subprocess.PIPE, universal_newlines = True, shell = False) output = process.communicate()[0] return output.splitlines() def FillMercurialRevisions(filename, parsed_file): ''' Fills the revs attribute of all strings in the given parsed file with a list of revisions that touched the lines corresponding to that string. @param filename: the name of the file to get history for @param parsed_file: the parsed file to modify ''' # Take output of hg annotate to get revision of each line output_lines = _GetOutputLines(['hg', 'annotate', '-c', filename]) # Create a map of line -> revision (key is list index, line 0 doesn't exist) line_revs = ['dummy'] for line in output_lines: rev_match = REVISION_REGEX.match(line) if not rev_match: raise 'Unexpected line of output from hg: %s' % line rev_hash = rev_match.group('hash') line_revs.append(rev_hash) for str in parsed_file.itervalues(): # Get the lines that correspond to each string start_line = str['startLine'] end_line = str['endLine'] # Get the revisions that touched those lines revs = [] for line_number in range(start_line, end_line + 1): revs.append(line_revs[line_number]) # Merge with any revisions that were already there # (for explict revision specification) if 'revs' in str: revs += str['revs'] # Assign the revisions to the string str['revs'] = frozenset(revs) def DoesRevisionSuperceed(filename, rev1, rev2): ''' Tells whether a revision superceeds another. This essentially means that the older revision is an ancestor of the newer one. This also returns True if the two revisions are the same. @param rev1: the revision that may be superceeding the other @param rev2: the revision that may be superceeded @return: True if rev1 superceeds rev2 or they're the same ''' if rev1 == rev2: return True # TODO: Add filename args = ['hg', 'log', '-r', 'ancestors(%s)' % rev1, '--template', '{node|short}\n', filename] output_lines = _GetOutputLines(args) return rev2 in output_lines def NewestRevision(filename, rev1, rev2): ''' Returns which of two revisions is closest to the head of the repository. If none of them is the ancestor of the other, then we return either one. @param rev1: the first revision @param rev2: the second revision ''' if DoesRevisionSuperceed(filename, rev1, rev2): return rev1 return rev2
0000som143-mytracks
scripts/i18n/src/mytracks/history.py
Python
asf20
2,914
#!/usr/bin/python ''' Entry point for My Tracks i18n tool. @author: Rodrigo Damazio ''' import mytracks.files import mytracks.translate import mytracks.validate import sys def Usage(): print 'Usage: %s <command> [<language> ...]\n' % sys.argv[0] print 'Commands are:' print ' cleanup' print ' translate' print ' validate' sys.exit(1) def Translate(languages): ''' Asks the user to interactively translate any missing or oudated strings from the files for the given languages. @param languages: the languages to translate ''' validator = mytracks.validate.Validator(languages) validator.Validate() missing = validator.missing_in_lang() outdated = validator.outdated_in_lang() for lang in languages: untranslated = missing[lang] + outdated[lang] if len(untranslated) == 0: continue translator = mytracks.translate.Translator(lang) translator.Translate(untranslated) def Validate(languages): ''' Computes and displays errors in the string files for the given languages. @param languages: the languages to compute for ''' validator = mytracks.validate.Validator(languages) validator.Validate() error_count = 0 if (validator.valid()): print 'All files OK' else: for lang, missing in validator.missing_in_master().iteritems(): print 'Missing in master, present in %s: %s:' % (lang, str(missing)) error_count = error_count + len(missing) for lang, missing in validator.missing_in_lang().iteritems(): print 'Missing in %s, present in master: %s:' % (lang, str(missing)) error_count = error_count + len(missing) for lang, outdated in validator.outdated_in_lang().iteritems(): print 'Outdated in %s: %s:' % (lang, str(outdated)) error_count = error_count + len(outdated) return error_count if __name__ == '__main__': argv = sys.argv argc = len(argv) if argc < 2: Usage() languages = mytracks.files.GetAllLanguageFiles() if argc == 3: langs = set(argv[2:]) if not langs.issubset(languages): raise 'Language(s) not found' # Filter just to the languages specified languages = dict((lang, lang_file) for lang, lang_file in languages.iteritems() if lang in langs or lang == 'en' ) cmd = argv[1] if cmd == 'translate': Translate(languages) elif cmd == 'validate': error_count = Validate(languages) else: Usage() error_count = 0 print '%d errors found.' % error_count
0000som143-mytracks
scripts/i18n/src/mytracks/main.py
Python
asf20
2,508
''' Module which prompts the user for translations and saves them. TODO: implement @author: Rodrigo Damazio ''' class Translator(object): ''' classdocs ''' def __init__(self, language): ''' Constructor ''' self._language = language def Translate(self, string_names): print string_names
0000som143-mytracks
scripts/i18n/src/mytracks/translate.py
Python
asf20
320
''' Module which compares languague files to the master file and detects issues. @author: Rodrigo Damazio ''' import os from mytracks.parser import StringsParser import mytracks.history class Validator(object): def __init__(self, languages): ''' Builds a strings file validator. Params: @param languages: a dictionary mapping each language to its corresponding directory ''' self._langs = {} self._master = None self._language_paths = languages parser = StringsParser() for lang, lang_dir in languages.iteritems(): filename = os.path.join(lang_dir, 'strings.xml') parsed_file = parser.Parse(filename) mytracks.history.FillMercurialRevisions(filename, parsed_file) if lang == 'en': self._master = parsed_file else: self._langs[lang] = parsed_file self._Reset() def Validate(self): ''' Computes whether all the data in the files for the given languages is valid. ''' self._Reset() self._ValidateMissingKeys() self._ValidateOutdatedKeys() def valid(self): return (len(self._missing_in_master) == 0 and len(self._missing_in_lang) == 0 and len(self._outdated_in_lang) == 0) def missing_in_master(self): return self._missing_in_master def missing_in_lang(self): return self._missing_in_lang def outdated_in_lang(self): return self._outdated_in_lang def _Reset(self): # These are maps from language to string name list self._missing_in_master = {} self._missing_in_lang = {} self._outdated_in_lang = {} def _ValidateMissingKeys(self): ''' Computes whether there are missing keys on either side. ''' master_keys = frozenset(self._master.iterkeys()) for lang, file in self._langs.iteritems(): keys = frozenset(file.iterkeys()) missing_in_master = keys - master_keys missing_in_lang = master_keys - keys if len(missing_in_master) > 0: self._missing_in_master[lang] = missing_in_master if len(missing_in_lang) > 0: self._missing_in_lang[lang] = missing_in_lang def _ValidateOutdatedKeys(self): ''' Computers whether any of the language keys are outdated with relation to the master keys. ''' for lang, file in self._langs.iteritems(): outdated = [] for key, str in file.iteritems(): # Get all revisions that touched master and language files for this # string. master_str = self._master[key] master_revs = master_str['revs'] lang_revs = str['revs'] if not master_revs or not lang_revs: print 'WARNING: No revision for %s in %s' % (key, lang) continue master_file = os.path.join(self._language_paths['en'], 'strings.xml') lang_file = os.path.join(self._language_paths[lang], 'strings.xml') # Assume that the repository has a single head (TODO: check that), # and as such there is always one revision which superceeds all others. master_rev = reduce( lambda r1, r2: mytracks.history.NewestRevision(master_file, r1, r2), master_revs) lang_rev = reduce( lambda r1, r2: mytracks.history.NewestRevision(lang_file, r1, r2), lang_revs) # If the master version is newer than the lang version if mytracks.history.DoesRevisionSuperceed(lang_file, master_rev, lang_rev): outdated.append(key) if len(outdated) > 0: self._outdated_in_lang[lang] = outdated
0000som143-mytracks
scripts/i18n/src/mytracks/validate.py
Python
asf20
3,547
''' Module for dealing with resource files (but not their contents). @author: Rodrigo Damazio ''' import os.path from glob import glob import re MYTRACKS_RES_DIR = 'MyTracks/res' ANDROID_MASTER_VALUES = 'values' ANDROID_VALUES_MASK = 'values-*' def GetMyTracksDir(): ''' Returns the directory in which the MyTracks directory is located. ''' path = os.getcwd() while not os.path.isdir(os.path.join(path, MYTRACKS_RES_DIR)): if path == '/': raise 'Not in My Tracks project' # Go up one level path = os.path.split(path)[0] return path def GetAllLanguageFiles(): ''' Returns a mapping from all found languages to their respective directories. ''' mytracks_path = GetMyTracksDir() res_dir = os.path.join(mytracks_path, MYTRACKS_RES_DIR, ANDROID_VALUES_MASK) language_dirs = glob(res_dir) master_dir = os.path.join(mytracks_path, MYTRACKS_RES_DIR, ANDROID_MASTER_VALUES) if len(language_dirs) == 0: raise 'No languages found!' if not os.path.isdir(master_dir): raise 'Couldn\'t find master file' language_tuples = [(re.findall(r'.*values-([A-Za-z-]+)', dir)[0],dir) for dir in language_dirs] language_tuples.append(('en', master_dir)) return dict(language_tuples)
0000som143-mytracks
scripts/i18n/src/mytracks/files.py
Python
asf20
1,229
''' Module which parses a string XML file. @author: Rodrigo Damazio ''' from xml.parsers.expat import ParserCreate import re #import xml.etree.ElementTree as ET class StringsParser(object): ''' Parser for string XML files. This object is not thread-safe and should be used for parsing a single file at a time, only. ''' def Parse(self, file): ''' Parses the given file and returns a dictionary mapping keys to an object with attributes for that key, such as the value, start/end line and explicit revisions. In addition to the standard XML format of the strings file, this parser supports an annotation inside comments, in one of these formats: <!-- KEEP_PARENT name="bla" --> <!-- KEEP_PARENT name="bla" rev="123456789012" --> Such an annotation indicates that we're explicitly inheriting form the master file (and the optional revision says that this decision is compatible with the master file up to that revision). @param file: the name of the file to parse ''' self._Reset() # Unfortunately expat is the only parser that will give us line numbers self._xml_parser = ParserCreate() self._xml_parser.StartElementHandler = self._StartElementHandler self._xml_parser.EndElementHandler = self._EndElementHandler self._xml_parser.CharacterDataHandler = self._CharacterDataHandler self._xml_parser.CommentHandler = self._CommentHandler file_obj = open(file) self._xml_parser.ParseFile(file_obj) file_obj.close() return self._all_strings def _Reset(self): self._currentString = None self._currentStringName = None self._currentStringValue = None self._all_strings = {} def _StartElementHandler(self, name, attrs): if name != 'string': return if 'name' not in attrs: return assert not self._currentString assert not self._currentStringName self._currentString = { 'startLine' : self._xml_parser.CurrentLineNumber, } if 'rev' in attrs: self._currentString['revs'] = [attrs['rev']] self._currentStringName = attrs['name'] self._currentStringValue = '' def _EndElementHandler(self, name): if name != 'string': return assert self._currentString assert self._currentStringName self._currentString['value'] = self._currentStringValue self._currentString['endLine'] = self._xml_parser.CurrentLineNumber self._all_strings[self._currentStringName] = self._currentString self._currentString = None self._currentStringName = None self._currentStringValue = None def _CharacterDataHandler(self, data): if not self._currentString: return self._currentStringValue += data _KEEP_PARENT_REGEX = re.compile(r'\s*KEEP_PARENT\s+' r'name\s*=\s*[\'"]?(?P<name>[a-z0-9_]+)[\'"]?' r'(?:\s+rev=[\'"]?(?P<rev>[0-9a-f]{12})[\'"]?)?\s*', re.MULTILINE | re.DOTALL) def _CommentHandler(self, data): keep_parent_match = self._KEEP_PARENT_REGEX.match(data) if not keep_parent_match: return name = keep_parent_match.group('name') self._all_strings[name] = { 'keepParent' : True, 'startLine' : self._xml_parser.CurrentLineNumber, 'endLine' : self._xml_parser.CurrentLineNumber } rev = keep_parent_match.group('rev') if rev: self._all_strings[name]['revs'] = [rev]
0000som143-mytracks
scripts/i18n/src/mytracks/parser.py
Python
asf20
3,476
/* * Copyright 2008 Google Inc. * * Licensed under the Apache License, Version 2.0 (the "License"); you may not * use this file except in compliance with the License. You may obtain a copy of * the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, WITHOUT * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the * License for the specific language governing permissions and limitations under * the License. */ package com.google.android.apps.mytracks.services; import com.google.android.apps.mytracks.content.WaypointCreationRequest; /** * MyTracks service. * This service is the process that actually records and manages tracks. */ interface ITrackRecordingService { /** * Starts recording a new track. * * @return the track ID of the new track */ long startNewTrack(); /** * Checks and returns whether we're currently recording a track. */ boolean isRecording(); /** * Returns the track ID of the track currently being recorded, or -1 if none * is being recorded. This ID can then be used to read track data from the * content source. */ long getRecordingTrackId(); /** * Inserts a waypoint marker in the track being recorded. * * @param request Details for the waypoint to be inserted. * @return the unique ID of the inserted marker */ long insertWaypoint(in WaypointCreationRequest request); /** * Inserts a location in the track being recorded. * * When recording, locations detected by the GPS are already automatically * added to the track, so this should be used only for adding special points * or for testing. * * @param loc the location to insert */ void recordLocation(in Location loc); /** * Stops recording the current track. */ void endCurrentTrack(); /** * The current sensor data. * The data is returned as a byte array which is a binary version of a * Sensor.SensorDataSet object. * @return the current sensor data or null if there is none. */ byte[] getSensorData(); /** * The current state of the sensor manager. * The value is the value of a Sensor.SensorState enum. */ int getSensorState(); }
0000som143-mytracks
MyTracksLib/src/com/google/android/apps/mytracks/services/ITrackRecordingService.aidl
AIDL
asf20
2,340